From 487a357c2503dc9fbbb2a5106e214df430733326 Mon Sep 17 00:00:00 2001 From: exiao Date: Fri, 12 Dec 2025 00:48:11 -0500 Subject: [PATCH 1/2] Refactor repository structure: reorganize docs and update remote (#7) - Add CLAUDE.md for AI assistant context - Move design docs to specs/DESIGN.md - Remove deprecated spec files (API_INTEGRATION_SPEC.md, IMPLEMENTATION_SPEC.md, RAG.md) - Clean up optional and tools directories - Update git remote to use fork repository Co-authored-by: Eric Xiao --- API_INTEGRATION_SPEC.md | 682 ---------------------- CLAUDE.md | 139 +++++ IMPLEMENTATION_SPEC.md | 299 ---------- RAG.md | 239 -------- optional/airtable/README.md | 13 - optional/airtable/airtable_integration.py | 438 -------------- specs/DESIGN.md | 322 ++++++++++ test scripts/synthetic_data_gen.py | 388 ------------ tools/README.md | 101 ---- tools/setup-mcp.sh | 182 ------ tools/switch-python.ps1 | 152 ----- 11 files changed, 461 insertions(+), 2494 deletions(-) delete mode 100644 API_INTEGRATION_SPEC.md create mode 100644 CLAUDE.md delete mode 100644 IMPLEMENTATION_SPEC.md delete mode 100644 RAG.md delete mode 100644 optional/airtable/README.md delete mode 100644 optional/airtable/airtable_integration.py create mode 100644 specs/DESIGN.md delete mode 100644 test scripts/synthetic_data_gen.py delete mode 100644 tools/README.md delete mode 100755 tools/setup-mcp.sh delete mode 100644 tools/switch-python.ps1 diff --git a/API_INTEGRATION_SPEC.md b/API_INTEGRATION_SPEC.md deleted file mode 100644 index 86e6b39..0000000 --- a/API_INTEGRATION_SPEC.md +++ /dev/null @@ -1,682 +0,0 @@ -# AI Trip Planner - Real API Integration Specification - -## Overview -This document outlines the implementation plan for replacing placeholder tools with real API integrations to provide actual, up-to-date travel information. - -## Current State -All tools currently return deterministic placeholder strings. The LLM generates itineraries based solely on its training data, using tools only as semantic markers for workflow structure. - -## Proposed API Integrations - -### 1. Weather & Climate Data - -#### Tool: `essential_info` → `get_weather_info` -**Current Output:** -```python -"Key info for {destination}: mild weather, popular sights, local etiquette." -``` - -**Proposed APIs:** -- **OpenWeatherMap API** (Primary) - - Endpoint: `api.openweathermap.org/data/2.5/forecast` - - Features: 5-day forecast, current conditions, UV index - - Cost: Free tier: 1000 calls/day - - API Key Required: Yes - -- **WeatherAPI** (Alternative) - - Endpoint: `api.weatherapi.com/v1/forecast.json` - - Features: 14-day forecast, historical weather, astronomy data - - Cost: Free tier: 1M calls/month - - API Key Required: Yes - -**Implementation:** -```python -import httpx -from datetime import datetime -from typing import Dict, Any - -@tool -async def get_weather_info(destination: str, travel_dates: Optional[str] = None) -> str: - """Get real weather forecast and conditions for destination.""" - api_key = os.getenv("OPENWEATHER_API_KEY") - - # Geocode destination first - geocode_url = f"http://api.openweathermap.org/geo/1.0/direct" - params = {"q": destination, "limit": 1, "appid": api_key} - - async with httpx.AsyncClient() as client: - geo_response = await client.get(geocode_url, params=params) - if geo_response.status_code == 200: - location = geo_response.json()[0] - lat, lon = location['lat'], location['lon'] - - # Get weather forecast - weather_url = f"http://api.openweathermap.org/data/2.5/forecast" - weather_params = { - "lat": lat, - "lon": lon, - "appid": api_key, - "units": "metric" - } - weather_response = await client.get(weather_url, params=weather_params) - - if weather_response.status_code == 200: - data = weather_response.json() - # Process and format weather data - temps = [item['main']['temp'] for item in data['list'][:5]] - avg_temp = sum(temps) / len(temps) - conditions = data['list'][0]['weather'][0]['description'] - - return f"""Weather for {destination}: - - Current conditions: {conditions} - - Average temperature: {avg_temp:.1f}°C ({avg_temp*9/5+32:.1f}°F) - - Pack for: {get_packing_suggestion(avg_temp)} - - Best time to visit outdoor attractions: {get_best_times(data)}""" - - return f"Weather data temporarily unavailable for {destination}" -``` - -### 2. Budget & Pricing Information - -#### Tool: `budget_basics` → `get_budget_breakdown` -**Current Output:** -```python -"Budget for {destination} over {duration}: lodging, food, transit, attractions." -``` - -**Proposed APIs:** -- **Numbeo API** (Cost of Living) - - Features: Restaurant prices, transport costs, accommodation estimates - - Cost: Paid API ($600/year for commercial use) - - Alternative: Web scraping (with permission) - -- **Budget Your Trip API** - - Features: Average daily costs by destination and travel style - - Cost: Free tier available - - API Key Required: Yes - -**Implementation:** -```python -@tool -async def get_budget_breakdown( - destination: str, - duration: str, - budget: Optional[str] = None, - travel_style: Optional[str] = "mid-range" -) -> str: - """Get real budget breakdown based on destination costs.""" - - # Parse duration to days - days = parse_duration_to_days(duration) - - # Get cost data from Numbeo or fallback source - costs = await fetch_destination_costs(destination) - - # Calculate budget breakdown - daily_costs = { - "budget": { - "accommodation": costs.get("hostel_price", 25), - "food": costs.get("cheap_meal", 10) * 3, - "transport": costs.get("public_transport_day", 5), - "activities": 10 - }, - "mid-range": { - "accommodation": costs.get("hotel_3star", 80), - "food": costs.get("mid_meal", 25) * 3, - "transport": costs.get("taxi_day", 20), - "activities": 30 - }, - "luxury": { - "accommodation": costs.get("hotel_5star", 250), - "food": costs.get("fine_dining", 50) * 3, - "transport": costs.get("car_rental", 80), - "activities": 100 - } - } - - style_costs = daily_costs.get(travel_style, daily_costs["mid-range"]) - total_per_day = sum(style_costs.values()) - total_trip = total_per_day * days - - return f"""Budget breakdown for {destination} ({duration}/{days} days): - - Daily costs ({travel_style}): - - Accommodation: ${style_costs['accommodation']}/night - - Meals: ${style_costs['food']}/day - - Local transport: ${style_costs['transport']}/day - - Activities & entrance fees: ${style_costs['activities']}/day - - Total daily: ${total_per_day} - Total trip estimate: ${total_trip} - - Money-saving tips: - - Book accommodation in advance for better rates - - Eat where locals eat for authentic and affordable meals - - Use public transport or walk when possible - - Look for free walking tours and activities""" -``` - -### 3. Local Experiences & Attractions - -#### Tool: `local_flavor` → `get_local_recommendations` -**Current Output:** -```python -"Local experiences for {destination}: authentic food, culture, and {interests or 'top picks'}." -``` - -**Proposed APIs:** -- **TripAdvisor API** (via RapidAPI) - - Features: Top attractions, restaurants, activities by location - - Cost: Free tier: 500 calls/month - - API Key Required: Yes - -- **Google Places API** - - Features: Detailed place information, reviews, photos, opening hours - - Cost: $17 per 1000 requests (after free tier) - - API Key Required: Yes - -- **Foursquare Places API** - - Features: Venue recommendations, tips, categories - - Cost: Free tier: 100,000 calls/month - - API Key Required: Yes - -**Implementation:** -```python -@tool -async def get_local_recommendations( - destination: str, - interests: Optional[str] = None, - limit: int = 10 -) -> str: - """Get real local recommendations from multiple sources.""" - - foursquare_key = os.getenv("FOURSQUARE_API_KEY") - - # Parse interests into Foursquare categories - categories = map_interests_to_categories(interests) - - async with httpx.AsyncClient() as client: - # Search for places - url = "https://api.foursquare.com/v3/places/search" - headers = { - "Authorization": foursquare_key, - "Accept": "application/json" - } - params = { - "near": destination, - "categories": ",".join(categories), - "limit": limit, - "sort": "RATING" - } - - response = await client.get(url, headers=headers, params=params) - - if response.status_code == 200: - places = response.json()['results'] - - recommendations = [] - for place in places[:5]: - rec = { - "name": place['name'], - "category": place['categories'][0]['name'], - "address": place['location'].get('formatted_address', 'Address not available'), - "rating": place.get('rating', 'Not rated'), - "tip": await get_venue_tip(place['fsq_id'], client, headers) - } - recommendations.append(rec) - - return format_recommendations(destination, interests, recommendations) - - return f"Local recommendations temporarily unavailable for {destination}" - -def format_recommendations(destination: str, interests: str, recommendations: list) -> str: - """Format recommendations into readable text.""" - output = f"Top local experiences in {destination}" - if interests: - output += f" for {interests}:\n\n" - else: - output += ":\n\n" - - for i, rec in enumerate(recommendations, 1): - output += f"{i}. {rec['name']} ({rec['category']})\n" - output += f" 📍 {rec['address']}\n" - if rec['rating']: - output += f" ⭐ Rating: {rec['rating']}/10\n" - if rec['tip']: - output += f" 💡 Tip: {rec['tip']}\n" - output += "\n" - - return output -``` - -### 4. Attraction Prices & Tickets - -#### Tool: `attraction_prices` → `get_attraction_pricing` -**Current Output:** -```python -"Attraction prices in {destination}: Museum: $10-$40, Historic Site: $10-$40, Viewpoint: $10-$40" -``` - -**Proposed APIs:** -- **GetYourGuide API** - - Features: Tour prices, attraction tickets, availability - - Cost: Affiliate commission-based - - API Key Required: Yes (Partner account) - -- **Viator API** (TripAdvisor) - - Features: Tours, activities, prices, availability - - Cost: Affiliate commission-based - - API Key Required: Yes (Partner account) - -**Implementation:** -```python -@tool -async def get_attraction_pricing( - destination: str, - attractions: Optional[List[str]] = None -) -> str: - """Get real attraction prices and ticket information.""" - - viator_key = os.getenv("VIATOR_API_KEY") - - if not attractions: - # Get top attractions for destination - attractions = await get_top_attractions(destination) - - pricing_info = [] - - async with httpx.AsyncClient() as client: - for attraction in attractions[:5]: - # Search for tours/tickets - search_url = "https://viator.com/api/search" - params = { - "destination": destination, - "query": attraction, - "currency": "USD" - } - headers = {"api-key": viator_key} - - response = await client.get(search_url, headers=headers, params=params) - - if response.status_code == 200: - results = response.json() - if results['products']: - product = results['products'][0] - pricing_info.append({ - "name": product['title'], - "price": product['price']['amount'], - "currency": product['price']['currency'], - "duration": product.get('duration', 'Variable'), - "includes": product.get('inclusions', []) - }) - - return format_pricing_info(destination, pricing_info) -``` - -### 5. Visa & Travel Requirements - -#### Tool: `visa_brief` → `get_visa_requirements` -**Current Output:** -```python -"Visa guidance for {destination}: check your nationality's embassy site." -``` - -**Proposed APIs:** -- **Sherpa API** (Visa & Travel Requirements) - - Features: Visa requirements by nationality, COVID restrictions, travel documents - - Cost: Enterprise pricing - - API Key Required: Yes - -- **IATA Travel Centre API** - - Features: Entry requirements, health requirements, customs - - Cost: Paid service - - Alternative: Scrape public Timatic data - -**Implementation:** -```python -@tool -async def get_visa_requirements( - destination_country: str, - nationality: str = "US", - trip_duration: Optional[int] = 30 -) -> str: - """Get real visa and entry requirements.""" - - # For demonstration, using a simplified approach - # In production, would integrate with Sherpa or IATA - - visa_db = { - # Simplified visa database - ("Thailand", "US"): { - "visa_required": False, - "visa_on_arrival": True, - "max_stay": 30, - "requirements": ["Valid passport (6+ months)", "Return ticket", "Proof of accommodation"] - }, - ("Japan", "US"): { - "visa_required": False, - "visa_on_arrival": False, - "max_stay": 90, - "requirements": ["Valid passport", "Return ticket"] - }, - # ... more entries - } - - key = (destination_country, nationality) - if key in visa_db: - info = visa_db[key] - return f"""Visa requirements for {nationality} citizens visiting {destination_country}: - - Visa required: {'Yes' if info['visa_required'] else 'No'} - Visa on arrival: {'Available' if info['visa_on_arrival'] else 'Not available'} - Maximum stay: {info['max_stay']} days - - Requirements: - {format_requirements(info['requirements'])} - - ⚠️ Always verify with official sources before travel.""" - - return f"Please check official embassy website for {destination_country} visa requirements" -``` - -### 6. Real-time Flight Information - -#### New Tool: `get_flight_options` -**Proposed APIs:** -- **Amadeus API** - - Features: Flight search, pricing, availability - - Cost: Free tier: 500 calls/month - - API Key Required: Yes - -- **Skyscanner API** - - Features: Flight search, price comparison - - Cost: RapidAPI pricing tiers - - API Key Required: Yes - -**Implementation:** -```python -@tool -async def get_flight_options( - origin: str, - destination: str, - departure_date: Optional[str] = None, - return_date: Optional[str] = None, - budget: Optional[int] = None -) -> str: - """Get real flight options and pricing.""" - - amadeus_key = os.getenv("AMADEUS_API_KEY") - amadeus_secret = os.getenv("AMADEUS_API_SECRET") - - # Get access token - token = await get_amadeus_token(amadeus_key, amadeus_secret) - - # Search for flights - search_url = "https://api.amadeus.com/v2/shopping/flight-offers" - headers = {"Authorization": f"Bearer {token}"} - params = { - "originLocationCode": get_airport_code(origin), - "destinationLocationCode": get_airport_code(destination), - "departureDate": departure_date or get_next_month_date(), - "adults": 1, - "max": 5 - } - - if return_date: - params["returnDate"] = return_date - - async with httpx.AsyncClient() as client: - response = await client.get(search_url, headers=headers, params=params) - - if response.status_code == 200: - flights = response.json()['data'] - return format_flight_options(flights, budget) - - return "Flight information temporarily unavailable" -``` - -## Implementation Strategy - -### Phase 1: Core APIs (Week 1-2) -1. **Weather API** (OpenWeatherMap) - - Essential for trip planning - - Free tier sufficient for MVP - -2. **Local Recommendations** (Foursquare) - - Rich venue data - - Generous free tier - -3. **Budget Data** (Numbeo scraping or API) - - Critical for budget planning - - Consider caching strategies - -### Phase 2: Enhanced Features (Week 3-4) -1. **Attraction Pricing** (Viator/GetYourGuide) - - Affiliate revenue potential - - Real booking capability - -2. **Flight Search** (Amadeus) - - Complete trip planning - - Price comparison features - -3. **Visa Requirements** (Build database or Sherpa API) - - Essential for international travel - - Consider subscription cost - -### Phase 3: Premium Features (Week 5-6) -1. **Hotel Recommendations** (Booking.com API) -2. **Restaurant Reservations** (OpenTable API) -3. **Car Rental Options** (RentalCars API) -4. **Travel Insurance** (Partner APIs) - -## Technical Considerations - -### 1. API Key Management -```python -# .env file structure -OPENWEATHER_API_KEY=xxx -FOURSQUARE_API_KEY=xxx -VIATOR_API_KEY=xxx -AMADEUS_API_KEY=xxx -AMADEUS_API_SECRET=xxx -GOOGLE_PLACES_API_KEY=xxx -``` - -### 2. Rate Limiting & Caching -```python -from functools import lru_cache -from datetime import datetime, timedelta -import redis - -# Redis for distributed caching -redis_client = redis.Redis(host='localhost', port=6379, db=0) - -def cache_api_response(key: str, data: Any, ttl: int = 3600): - """Cache API responses to reduce API calls and costs.""" - redis_client.setex(key, ttl, json.dumps(data)) - -def get_cached_response(key: str) -> Optional[Any]: - """Retrieve cached API response.""" - data = redis_client.get(key) - return json.loads(data) if data else None - -# Rate limiting decorator -def rate_limit(calls_per_minute: int): - def decorator(func): - last_called = [] - - async def wrapper(*args, **kwargs): - now = time.time() - # Remove calls older than 1 minute - last_called[:] = [t for t in last_called if now - t < 60] - - if len(last_called) >= calls_per_minute: - wait_time = 60 - (now - last_called[0]) - await asyncio.sleep(wait_time) - - last_called.append(now) - return await func(*args, **kwargs) - - return wrapper - return decorator -``` - -### 3. Error Handling & Fallbacks -```python -class APIError(Exception): - """Custom exception for API errors.""" - pass - -async def fetch_with_fallback( - primary_func, - fallback_func, - *args, - **kwargs -): - """Try primary API, fall back to secondary if failed.""" - try: - return await primary_func(*args, **kwargs) - except (APIError, httpx.RequestError): - logger.warning(f"Primary API failed, using fallback") - return await fallback_func(*args, **kwargs) -``` - -### 4. Async Implementation -Convert all tools to async for better performance: -```python -# Update agent functions to handle async tools -async def research_agent(state: TripState) -> TripState: - # ... agent logic with await for async tools - pass -``` - -## Cost Analysis - -### Monthly API Costs (Estimated) -| API | Free Tier | Paid Tier | Monthly Est. | -|-----|-----------|-----------|--------------| -| OpenWeatherMap | 1000/day | $0 | $0 | -| Foursquare | 100k/month | $299/month | $0 (free tier) | -| Google Places | $200 credit | $17/1000 | ~$50 | -| Amadeus | 500/month | Variable | $0 (free tier) | -| Viator | Commission | Commission | $0 (commission) | -| **Total** | | | **~$50/month** | - -### Cost Optimization Strategies -1. **Aggressive Caching**: Cache responses for 24-48 hours -2. **Batch Requests**: Combine multiple queries when possible -3. **Conditional Fetching**: Only call APIs when data is needed -4. **Tiered Service**: Premium users get real-time data, free users get cached -5. **Fallback to LLM**: Use GPT knowledge when API limits reached - -## Security Considerations - -### 1. API Key Security -- Never expose keys in client-side code -- Use environment variables -- Implement key rotation -- Monitor usage for anomalies - -### 2. Rate Limiting -- Implement per-user rate limits -- Use Redis for distributed rate limiting -- Queue system for high load - -### 3. Data Privacy -- Don't store personal travel data longer than necessary -- Implement GDPR compliance -- Anonymize analytics data - -## Testing Strategy - -### 1. Mock APIs for Development -```python -class MockWeatherAPI: - async def get_weather(self, destination: str): - return { - "temp": 22, - "condition": "sunny", - "forecast": "clear skies" - } - -# Use mocks in test environment -if os.getenv("ENVIRONMENT") == "test": - weather_api = MockWeatherAPI() -else: - weather_api = RealWeatherAPI() -``` - -### 2. Integration Tests -- Test each API integration separately -- Test fallback mechanisms -- Test rate limiting behavior -- Test caching functionality - -### 3. Load Testing -- Simulate concurrent users -- Test API rate limits -- Monitor response times -- Test cache performance - -## Monitoring & Analytics - -### 1. API Usage Tracking -```python -def track_api_usage(api_name: str, endpoint: str, status: str): - """Track API usage for monitoring and optimization.""" - metrics = { - "api": api_name, - "endpoint": endpoint, - "status": status, - "timestamp": datetime.now().isoformat() - } - # Send to monitoring service (e.g., Datadog, CloudWatch) - send_metrics(metrics) -``` - -### 2. Cost Monitoring -- Track API calls per user -- Monitor approaching limits -- Alert on unusual usage -- Monthly cost reports - -### 3. Performance Metrics -- API response times -- Cache hit rates -- Error rates by API -- User experience metrics - -## Migration Plan - -### Step 1: Parallel Implementation -- Keep placeholder tools -- Add real API tools alongside -- Feature flag to switch between them - -### Step 2: Gradual Rollout -- Test with internal users -- Roll out to 10% of users -- Monitor performance and costs -- Full rollout when stable - -### Step 3: Deprecate Placeholders -- Remove placeholder tools -- Update documentation -- Monitor for issues - -## Conclusion - -This specification provides a roadmap for transforming the AI Trip Planner from a demo system with placeholder data to a production-ready application with real, actionable travel information. The phased approach allows for gradual implementation while managing costs and complexity. - -Key benefits of real API integration: -- **Accurate Information**: Real-time weather, prices, and availability -- **Better User Experience**: Actionable recommendations with current data -- **Revenue Potential**: Affiliate commissions from bookings -- **Competitive Advantage**: Superior to generic AI-only solutions - -Next steps: -1. Prioritize APIs based on user needs -2. Set up API accounts and keys -3. Implement Phase 1 APIs -4. Test with real users -5. Iterate based on feedback \ No newline at end of file diff --git a/CLAUDE.md b/CLAUDE.md new file mode 100644 index 0000000..f902247 --- /dev/null +++ b/CLAUDE.md @@ -0,0 +1,139 @@ +# AI Trip Planner - Codebase Summary + +## Codebase overview + +A production-ready multi-agent AI system for generating personalized travel itineraries. Built with FastAPI, LangGraph, and LangChain, demonstrating three essential AI engineering patterns: multi-agent orchestration, RAG (Retrieval-Augmented Generation), and API integration with graceful degradation. The system uses 4 specialized agents running in parallel to research destinations, analyze budgets, suggest local experiences, and synthesize complete itineraries. + +## Product features + +- **Multi-Agent Orchestration**: 4 parallel agents (Research, Budget, Local, Itinerary) using LangGraph for coordinated execution +- **RAG System**: Optional vector search over 90+ curated local guides from `backend/data/local_guides.json` (enable with `ENABLE_RAG=1`) +- **Real-Time Web Search**: Integration with Tavily/SerpAPI for up-to-date travel data, with LLM fallback when APIs unavailable +- **Observability**: Full tracing via Arize for debugging agent execution, tool calls, and LLM usage +- **Graceful Degradation**: Works without API keys using LLM-generated responses as fallback +- **Performance**: Parallel execution achieves 22% faster response times (6.6s vs 8.5s) + +## Folder structure + +``` +ai-trip-planner/ +├── backend/ # FastAPI application +│ ├── main.py # Core app: agents, tools, LangGraph workflow +│ ├── requirements.txt # Python dependencies +│ ├── data/ +│ │ └── local_guides.json # 90+ curated experiences for RAG +│ └── .env # Environment variables (not in repo) +├── frontend/ +│ └── index.html # Minimal UI (served at /) +├── optional/ +│ └── airtable/ # Optional Airtable integration +├── test scripts/ # Testing utilities +│ └── synthetic_data_gen.py # Test data generator +├── start.sh # Startup script +├── render.yaml # Render.com deployment config +├── README.md # Main documentation +├── IMPLEMENTATION_SPEC.md # Architecture details +├── API_INTEGRATION_SPEC.md # API integration roadmap +└── RAG.md # RAG feature docs +``` + +## Building the app + +### Prerequisites +- Python 3.10+ +- One LLM API key: `OPENAI_API_KEY` or `OPENROUTER_API_KEY` +- Optional: `ARIZE_SPACE_ID` + `ARIZE_API_KEY` for tracing +- Optional: `TAVILY_API_KEY` or `SERPAPI_API_KEY` for web search +- Optional: `ENABLE_RAG=1` for vector search + +### Setup +```bash +# 1. Configure environment +cd backend +# Create .env file with your API keys + +# 2. Install dependencies +uv pip install -r requirements.txt +# Or: pip install -r requirements.txt + +# 3. Run the app +cd .. +./start.sh +# Or: cd backend && uvicorn main:app --host 0.0.0.0 --port 8000 --reload +``` + +### Access +- Frontend UI: http://localhost:8000/ +- API Docs: http://localhost:8000/docs +- Health Check: http://localhost:8000/health + +## Testing + +### Quick API Test +```bash +curl -X POST http://localhost:8000/plan-trip \ + -H "Content-Type: application/json" \ + -d '{ + "destination": "Tokyo, Japan", + "duration": "7 days", + "budget": "$2000", + "interests": "food, culture" + }' +``` + +### Test Scripts +```bash +python "test scripts/test_api.py" +python "test scripts/synthetic_data_gen.py" --base-url http://localhost:8000 --count 12 +``` + +### Manual Testing +1. Open http://localhost:8000/ +2. Fill form: destination, duration, budget, interests +3. Click "Plan My Trip" +4. View generated itinerary + +### Observability +If Arize configured, view traces at https://app.arize.com/ to see: +- Parallel agent execution +- Tool calls and results +- LLM token usage +- RAG retrieval (if enabled) + +## HOW TO CODE + +Follow these principles for clean, maintainable code: + +### Simplicity +- Write code that solves the problem directly, without unnecessary abstraction +- Prefer straightforward solutions over clever ones +- If you can't explain it simply, simplify it +- Remove code that doesn't add value + +### Readability +- Use descriptive variable and function names that explain intent +- Write self-documenting code with clear structure +- Add comments only when code can't explain itself +- Format consistently and follow language conventions +- Break complex logic into smaller, named functions + +### Incremental Building +- Start with a working minimal version, then iterate +- Build one feature at a time and test before moving on +- Make small, focused commits that build on each other +- Get feedback early rather than building everything first +- Refactor as you learn, not all at once + +### Use Standard Libraries +- Prefer standard library and well-established packages over custom solutions +- Leverage existing, tested code rather than reinventing +- Use the right tool for the job from the ecosystem +- Only add dependencies when they provide clear value +- Document why you chose a library over alternatives + +### No Premature Optimization +- Write correct, readable code first +- Measure performance before optimizing +- Optimize only when there's a proven bottleneck +- Prefer clarity over micro-optimizations +- Remember: "Premature optimization is the root of all evil" (Knuth) \ No newline at end of file diff --git a/IMPLEMENTATION_SPEC.md b/IMPLEMENTATION_SPEC.md deleted file mode 100644 index bb4cf9d..0000000 --- a/IMPLEMENTATION_SPEC.md +++ /dev/null @@ -1,299 +0,0 @@ -# AI Trip Planner - Implementation Specification - -## Overview -This document outlines the architecture improvements and fixes applied to the AI Trip Planner backend system, transforming it from a sequential agent execution model to a parallel execution model with proper tracing. - -## System Architecture - -### Agent Graph Structure -The system uses LangGraph to orchestrate four specialized agents that work together to create personalized travel itineraries: - -1. **Research Agent** - Gathers essential destination information -2. **Budget Agent** - Analyzes costs and budget considerations -3. **Local Agent** - Suggests authentic local experiences -4. **Itinerary Agent** - Synthesizes all inputs into a cohesive travel plan - -### Execution Flow -``` - START - | - [Parallel] - / | \ - / | \ -Research Budget Local - \ | / - \ | / - [Converge] - | - Itinerary - | - END -``` - -## Key Implementation Changes - -### 1. Parallel Agent Execution -**Problem:** Original implementation executed agents sequentially (Research → Budget → Local → Itinerary), causing unnecessary latency. - -**Solution:** Modified the graph edges to enable parallel execution: - -```python -def build_graph(): - g = StateGraph(TripState) - g.add_node("research", research_agent) - g.add_node("budget", budget_agent) - g.add_node("local", local_agent) - g.add_node("itinerary", itinerary_agent) - - # Run research, budget, and local agents in parallel - g.add_edge(START, "research") - g.add_edge(START, "budget") - g.add_edge(START, "local") - - # All three agents feed into the itinerary agent - g.add_edge("research", "itinerary") - g.add_edge("budget", "itinerary") - g.add_edge("local", "itinerary") - - g.add_edge("itinerary", END) - - # Compile without checkpointer to avoid state persistence issues - return g.compile() -``` - -**Impact:** -- Reduced average response time from 8.5s to 6.6s (22% improvement) -- All three information-gathering agents execute simultaneously - -### 2. Fixed Duplicate Tool Call Tracing -**Problem:** Tracing initialization was happening inside the request handler, causing duplicate instrumentation on every API call. This resulted in duplicate tool calls being logged to Arize. - -**Solution:** Moved tracing initialization to module level (outside request handler): - -```python -# Initialize tracing once at startup, not per request -if _TRACING: - try: - space_id = os.getenv("ARIZE_SPACE_ID") - api_key = os.getenv("ARIZE_API_KEY") - if space_id and api_key: - tp = register(space_id=space_id, api_key=api_key, project_name="ai-trip-planner") - LangChainInstrumentor().instrument(tracer_provider=tp, include_chains=True, include_agents=True, include_tools=True) - LiteLLMInstrumentor().instrument(tracer_provider=tp, skip_dep_check=True) - except Exception: - pass - -@app.post("/plan-trip", response_model=TripResponse) -def plan_trip(req: TripRequest): - # Request handler no longer initializes tracing - graph = build_graph() - state = { - "messages": [], - "trip_request": req.model_dump(), - "research": None, - "budget": None, - "local": None, - "final": None, - "tool_calls": [], - } - # No config needed without checkpointer - out = graph.invoke(state) - return TripResponse(result=out.get("final", ""), tool_calls=out.get("tool_calls", [])) -``` - -**Impact:** -- Eliminated duplicate tool call logging in Arize traces -- Cleaner, more accurate observability data - -### 3. Resolved Inconsistent Agent Execution -**Problem:** Some traces showed only 2 agents executing instead of all 3, indicating inconsistent parallel execution. - -**Solution:** Removed the MemorySaver checkpointer which was causing state persistence issues between requests: - -```python -# Before (with issues): -return g.compile(checkpointer=MemorySaver()) - -# After (fixed): -return g.compile() -``` - -Also removed the thread_id configuration since checkpointing is no longer used: - -```python -# Removed this line: -# cfg = {"configurable": {"thread_id": f"tut_{req.destination}_{datetime.now().strftime('%H%M%S')}"}} - -# Now simply: -out = graph.invoke(state) -``` - -**Impact:** -- Consistent execution of all three parallel agents on every request -- Each request starts with a clean state -- No cross-contamination between requests - -## Performance Metrics - -### Before Optimization -- Average response time: 8.5 seconds -- Total test duration (15 requests): 127.8 seconds -- Sequential execution pattern -- Inconsistent agent execution - -### After Optimization -- Average response time: 6.6 seconds (22% improvement) -- Total test duration (15 requests): 98.7 seconds (23% improvement) -- Parallel execution pattern -- 100% consistent agent execution - -## Environment Configuration - -### Required Environment Variables (.env file) -```bash -# LLM Provider (choose one) -OPENAI_API_KEY=your_openai_api_key_here -# OR -OPENROUTER_API_KEY=your_openrouter_api_key_here -OPENROUTER_MODEL=openai/gpt-4o-mini - -# Observability (optional but recommended) -ARIZE_SPACE_ID=your_arize_space_id -ARIZE_API_KEY=your_arize_api_key -``` - -### Dependencies -Key packages required (from requirements.txt): -- fastapi>=0.104.1 -- uvicorn[standard]>=0.24.0 -- langgraph>=0.2.55 -- langchain>=0.3.7 -- langchain-openai>=0.2.10 -- arize-otel>=0.8.1 (for tracing) -- openinference-instrumentation-langchain>=0.1.19 -- openinference-instrumentation-litellm>=0.1.0 - -## Testing - -### Quick Test Script -```python -import requests -import time - -API_BASE_URL = 'http://localhost:8001' - -test_request = { - 'destination': 'Paris, France', - 'duration': '5 days', - 'budget': '2000', - 'interests': 'art, food, history' -} - -response = requests.post(f'{API_BASE_URL}/plan-trip', json=test_request, timeout=60) -print(f"Status: {response.status_code}") -print(f"Response time: {response.elapsed.total_seconds():.1f}s") -``` - -### Full Test Suite -Use the provided `generate_itineraries.py` script to run comprehensive tests with 15 synthetic requests covering various destinations, budgets, and travel styles. - -## Monitoring & Observability - -### Arize Integration -- Project name in Arize: **"ai-trip-planner"** -- Traces include: - - All agent executions - - Tool calls for each agent - - Response times - - Token usage - -### Expected Trace Pattern -Each successful request should show: -1. Three parallel agent executions (Research, Budget, Local) -2. One sequential itinerary agent execution -3. Various tool calls within each agent -4. Clear convergence at the itinerary synthesis stage - -## Deployment Notes - -### Starting the Server -```bash -cd backend -python -m venv .venv -source .venv/bin/activate # On Windows: .venv\Scripts\activate -pip install -r requirements.txt -uvicorn main:app --reload --port 8001 -``` - -### Port Configuration -- Default port: 8000 -- Alternative if 8000 is in use: 8001 -- Can be changed via: `--port XXXX` - -## Future Improvements - -### Potential Enhancements -1. **Caching Layer**: Add Redis caching for common destinations -2. **Agent Specialization**: Further specialize agents for specific travel styles -3. **Dynamic Agent Selection**: Choose which agents to run based on user inputs -4. **Streaming Responses**: Implement streaming for real-time itinerary generation -5. **Error Recovery**: Add retry logic for failed agent executions - -### Scalability Considerations -- Current parallel execution supports ~10-15 concurrent requests -- For higher load, consider: - - Implementing request queuing - - Adding rate limiting - - Deploying multiple worker processes - - Using async endpoints - -## Troubleshooting - -### Common Issues and Solutions - -1. **Agents not executing in parallel** - - Check that MemorySaver is not being used - - Verify graph edges are correctly configured for parallel execution - -2. **Duplicate traces in Arize** - - Ensure tracing initialization is at module level, not in request handler - - Check that instrumentation is only called once - -3. **Inconsistent agent execution** - - Remove any checkpointing/state persistence - - Ensure each request gets a fresh state - -4. **High latency** - - Verify parallel execution is working - - Check LLM API response times - - Consider using a faster model (e.g., gpt-3.5-turbo vs gpt-4) - -## Code Structure - -### Main Components -- `main.py`: Core application with FastAPI endpoints and agent definitions -- `TripState`: TypedDict managing state across agents -- Agent functions: `research_agent()`, `budget_agent()`, `local_agent()`, `itinerary_agent()` -- Graph builder: `build_graph()` - Orchestrates agent execution flow - -### State Management -```python -class TripState(TypedDict): - messages: Annotated[List[BaseMessage], operator.add] - trip_request: Dict[str, Any] - research: Optional[str] - budget: Optional[str] - local: Optional[str] - final: Optional[str] - tool_calls: Annotated[List[Dict[str, Any]], operator.add] -``` - -## Conclusion - -This implementation successfully transforms a sequential multi-agent system into an efficient parallel execution model, achieving: -- 22% performance improvement -- 100% execution consistency -- Clean observability traces -- Maintainable, scalable architecture - -The system is now production-ready and can handle concurrent requests efficiently while providing detailed insights through Arize tracing. \ No newline at end of file diff --git a/RAG.md b/RAG.md deleted file mode 100644 index 50623f9..0000000 --- a/RAG.md +++ /dev/null @@ -1,239 +0,0 @@ -# Local Guide RAG Demo - -This AI Trip Planner includes an optional Retrieval-Augmented Generation (RAG) feature that powers the `local_agent` with curated, real-world local experiences. RAG stays dormant until you opt in, making it perfect for learning step-by-step. - -## What is RAG? - -RAG (Retrieval-Augmented Generation) combines: -1. **Retrieval**: Search a database for relevant information -2. **Augmentation**: Add that information to the LLM's context -3. **Generation**: LLM generates responses using both its knowledge and the retrieved data - -This pattern is fundamental in production AI systems because it: -- Grounds responses in real, curated data -- Provides citations and sources -- Reduces hallucinations -- Allows updating knowledge without retraining models - -## How to Enable RAG - -### 1. Set the Feature Flag - -Copy `backend/.env.example` to `backend/.env` if you haven't already, then: - -```bash -# Enable RAG feature -ENABLE_RAG=1 - -# Provide your OpenAI API key (needed for embeddings) -OPENAI_API_KEY=sk-... - -# Optional: override the embeddings model (defaults to text-embedding-3-small) -OPENAI_EMBED_MODEL=text-embedding-3-small -``` - -### 2. Restart the Server - -```bash -cd backend -uvicorn main:app --reload --port 8000 -``` - -On startup, the app will: -- Load 540+ curated local experiences from `backend/data/local_guides.json` -- Create vector embeddings for semantic search -- Index them into an in-memory vector store - -### 3. Test It Out - -Make a request with specific interests: - -```bash -curl -X POST http://localhost:8000/plan-trip \ - -H "Content-Type: application/json" \ - -d '{ - "destination": "Tokyo", - "duration": "5 days", - "interests": "food, anime, technology" - }' -``` - -The `local_agent` will now retrieve the most relevant local experiences from the database and incorporate them into its recommendations! - -## What Happens Behind the Scenes - -### With ENABLE_RAG=1 (Semantic Search) - -``` -User Request: "Tokyo with food, anime interests" - ↓ -1. Create query embedding (OpenAI text-embedding-3-small) - ↓ -2. Search vector store for top 3 similar experiences - ↓ -3. Retrieve: "Tsukiji Market tour", "Studio Ghibli Museum", "Akihabara gaming" - ↓ -4. Inject retrieved context into local_agent prompt - ↓ -5. LLM generates response using curated data + its knowledge -``` - -### With ENABLE_RAG=0 (Default Behavior) - -The `local_agent` falls back to its original heuristic responses using the mock `local_flavor`, `local_customs`, and `hidden_gems` tools. - -## The Local Guides Database - -Located at `backend/data/local_guides.json`, this file contains 540+ curated experiences across 20 cities: - -```json -[ - { - "city": "Tokyo", - "interests": ["food", "sushi"], - "description": "Join a former Tsukiji auctioneer at Toyosu Market for tuna tastings...", - "source": "https://www.tsukiji.or.jp" - }, - { - "city": "Prague", - "interests": ["history", "architecture"], - "description": "Join a historian for a dawn walk along the Royal Route...", - "source": "https://www.prague.eu/en" - } -] -``` - -Each entry includes: -- **city**: Destination name -- **interests**: List of relevant topics (food, art, history, etc.) -- **description**: Detailed experience description -- **source**: Citation URL for verification - -## Graceful Fallback Strategy - -The RAG implementation demonstrates production-ready error handling: - -### Scenario 1: No OpenAI API Key -→ Falls back to **keyword matching** (simple text search) - -### Scenario 2: OpenAI API Error -→ Falls back to **keyword matching** - -### Scenario 3: No Matching Results -→ Falls back to **keyword matching**, then to **empty results** - -### Scenario 4: ENABLE_RAG=0 -→ Returns **empty results**, local_agent uses its mock tools - -This teaches students that production systems need multiple fallback layers! - -## Observability in Arize - -When RAG is enabled and Arize tracing is configured, you'll see: - -1. **Embedding Spans**: Shows the embedding model and token count -2. **Retrieval Spans**: Shows the query and number of documents retrieved -3. **Retrieved Documents**: The actual content passed to the LLM -4. **Similarity Scores**: How well each document matched the query -5. **Metadata**: City, interests, and source URLs for each result - -This makes debugging RAG systems much easier! - -## How Students Can Extend This - -### Add More Cities - -Edit `backend/data/local_guides.json`: - -```json -{ - "city": "Paris", - "interests": ["food", "wine"], - "description": "Wine tasting tour in Montmartre...", - "source": "https://example.com" -} -``` - -Restart the server - embeddings will be regenerated automatically! - -### Experiment with Different Embeddings - -Try different models in `.env`: - -```bash -# Smaller, faster (default) -OPENAI_EMBED_MODEL=text-embedding-3-small - -# Larger, more accurate -OPENAI_EMBED_MODEL=text-embedding-3-large - -# Legacy model -OPENAI_EMBED_MODEL=text-embedding-ada-002 -``` - -### Adjust Retrieval Parameters - -In `backend/main.py`, modify the `local_agent`: - -```python -# Retrieve more results -retrieved = GUIDE_RETRIEVER.retrieve(destination, interests, k=5) # was k=3 - -# Use different search parameters -retriever = self._vectorstore.as_retriever( - search_kwargs={"k": 10, "score_threshold": 0.7} -) -``` - -### Add Metadata Filtering - -Enhance the retriever to filter by city or interests before searching: - -```python -# In LocalGuideRetriever.retrieve() -docs = retriever.invoke( - query, - filter={"city": destination} # Only search this city -) -``` - -## Common Issues & Solutions - -### "No embeddings created" -**Cause**: ENABLE_RAG=1 but no OPENAI_API_KEY -**Solution**: Add your OpenAI API key to `.env` - -### "Empty retrieval results" -**Cause**: City not in database OR interests don't match -**Solution**: Check `local_guides.json` for your destination, or add entries - -### "Rate limit errors" -**Cause**: Too many embedding requests during startup -**Solution**: The embeddings are cached in memory. Restart less frequently, or use a smaller dataset for development. - -### "Tracing not showing retrieval" -**Cause**: LangChain instrumentation not configured -**Solution**: Ensure `LangChainInstrumentor().instrument()` is called at startup - -## Learning Resources - -- **LangChain Retrievers**: https://python.langchain.com/docs/modules/data_connection/retrievers/ -- **OpenAI Embeddings**: https://platform.openai.com/docs/guides/embeddings -- **Vector Stores**: https://python.langchain.com/docs/integrations/vectorstores/ -- **RAG Pattern**: https://www.pinecone.io/learn/retrieval-augmented-generation/ - -## Disabling RAG - -To turn off RAG and return to the original behavior: - -```bash -# In .env -ENABLE_RAG=0 -``` - -Restart the server. The local_agent will use its original mock tools. - ---- - -**Next Steps**: Try enabling RAG, make some test requests, and view the traces in Arize to see how retrieval augments the LLM's responses! - diff --git a/optional/airtable/README.md b/optional/airtable/README.md deleted file mode 100644 index f392cf1..0000000 --- a/optional/airtable/README.md +++ /dev/null @@ -1,13 +0,0 @@ -Optional Airtable Integration - -- File: `optional/airtable/airtable_integration.py` -- Install: `pip install pyairtable` -- Env (add to `backend/.env`): - - `AIRTABLE_API_KEY=...` - - `AIRTABLE_BASE_ID=...` - - `AIRTABLE_TABLE_NAME=trip_planner_traces` (optional) - -Usage -- Import and use in a custom route or workflow to log requests/responses for manual labeling. -- Not required for core trip planning; safe to ignore in production. - diff --git a/optional/airtable/airtable_integration.py b/optional/airtable/airtable_integration.py deleted file mode 100644 index 7c3eee9..0000000 --- a/optional/airtable/airtable_integration.py +++ /dev/null @@ -1,438 +0,0 @@ -""" -Airtable Integration for AI Trip Planner (moved to optional/airtable) -Captures traces for manual labeling and evaluation -""" - -import os -import json -from datetime import datetime -from typing import Dict, Any, List, Optional -from pyairtable import Api -from pyairtable.formulas import match -import hashlib - -class AirtableTraceLogger: - """Handles logging traces to Airtable for manual labeling""" - - def __init__(self): - self.api_key = os.getenv("AIRTABLE_API_KEY") - self.base_id = os.getenv("AIRTABLE_BASE_ID") - self.table_name = os.getenv("AIRTABLE_TABLE_NAME", "trip_planner_traces") - - if not self.api_key or not self.base_id: - print("⚠️ Airtable credentials not configured. Trace logging to Airtable disabled.") - print("📝 Set AIRTABLE_API_KEY and AIRTABLE_BASE_ID in your .env file") - self.enabled = False - return - - try: - self.api = Api(self.api_key) - self.table = self.api.table(self.base_id, self.table_name) - self.enabled = True - print("✅ Airtable trace logger initialized") - print(f"📊 Base ID: {self.base_id[:10]}...") - print(f"📋 Table: {self.table_name}") - self._ensure_table_schema() - except Exception as e: - print(f"❌ Failed to initialize Airtable: {str(e)}") - self.enabled = False - - def _ensure_table_schema(self): - """Ensure the Airtable has the required fields""" - required_fields = [ - "trace_id", - "timestamp", - "destination", - "duration", - "budget", - "interests", - "travel_style", - "request_payload", - "response_result", - "tool_calls", - "research_data", - "budget_data", - "local_data", - "final_itinerary", - "latency_ms", - "success", - "error_message", - "human_label_quality", # For manual labeling - "human_label_accuracy", # For manual labeling - "human_label_notes", # For manual labeling - "labeled_by", # For tracking who labeled - "labeled_at", # When it was labeled - ] - # Note: Airtable doesn't have a direct API to check/create fields - # This is just documentation of expected schema - print(f"📝 Expected Airtable fields: {', '.join(required_fields[:5])}...") - - def _strip_unknown_fields(self, data: Dict[str, Any]) -> Dict[str, Any]: - """Remove optional labeling fields that may not exist in the Airtable schema.""" - cleaned = dict(data) - for k in ("human_label_notes", "labeled_by", "labeled_at"): - cleaned.pop(k, None) - return cleaned - - def _should_retry_without_labels(self, err: Exception) -> bool: - msg = str(err) - return ( - "UNKNOWN_FIELD_NAME" in msg - or "Unknown field name" in msg - or "422" in msg - ) - - def _safe_create(self, record: Dict[str, Any]) -> Dict[str, Any]: - """Create a record; on 422 unknown field error, retry without label fields.""" - try: - return self.table.create(record) - except Exception as e: - if self._should_retry_without_labels(e): - print("ℹ️ Airtable create failed due to unknown field; retrying without label fields.") - cleaned = self._strip_unknown_fields(record) - return self.table.create(cleaned) - raise - - def _safe_update(self, record_id: str, fields: Dict[str, Any]) -> Dict[str, Any]: - """Update a record; on 422 unknown field error, retry without label fields.""" - try: - return self.table.update(record_id, fields) - except Exception as e: - if self._should_retry_without_labels(e): - print("ℹ️ Airtable update failed due to unknown field; retrying without label fields.") - cleaned = self._strip_unknown_fields(fields) - return self.table.update(record_id, cleaned) - raise - - def log_trace(self, - request: Dict[str, Any], - response: Dict[str, Any], - state_data: Dict[str, Any], - latency_ms: float, - success: bool = True, - error_message: str = None) -> Optional[str]: - """Log a trace to Airtable for manual labeling""" - - if not self.enabled: - return None - - try: - # Generate a unique trace ID - trace_id = hashlib.md5( - f"{datetime.utcnow().isoformat()}{json.dumps(request)}".encode() - ).hexdigest() - - # Extract tool calls information - tool_calls = state_data.get("tool_calls", []) - tool_calls_summary = self._summarize_tool_calls(tool_calls) - - # Prepare record for Airtable - record = { - "trace_id": trace_id, - "timestamp": datetime.utcnow().isoformat(), - "destination": request.get("destination", ""), - "duration": request.get("duration", ""), - "budget": request.get("budget", ""), - "interests": request.get("interests", ""), - "travel_style": request.get("travel_style", ""), - "request_payload": json.dumps(request), - "response_result": response.get("result", "")[:50000], # Airtable has field limits - "tool_calls": json.dumps(tool_calls_summary), - "research_data": str(state_data.get("research_data", ""))[:10000], - "budget_data": str(state_data.get("budget_data", ""))[:10000], - "local_data": str(state_data.get("local_data", ""))[:10000], - "final_itinerary": str(state_data.get("final_result", ""))[:50000], - "latency_ms": latency_ms, - "success": success, - "error_message": error_message or "", - # Leave labeling fields empty for manual annotation - # Don't include select fields with empty values - they'll be added when labeled - "human_label_notes": "", - "labeled_by": "", - "labeled_at": "" - } - - # Create record in Airtable - created_record = self._safe_create(record) - record_id = created_record["id"] - - print(f"📤 Trace logged to Airtable: {trace_id} (Record: {record_id})") - return record_id - - except Exception as e: - print(f"❌ Failed to log trace to Airtable: {str(e)}") - return None - - def _summarize_tool_calls(self, tool_calls: List[Dict[str, Any]]) -> Dict[str, Any]: - """Summarize tool calls for storage""" - summary = { - "total_calls": len(tool_calls), - "by_agent": {}, - "by_tool": {}, - "details": [] - } - - for call in tool_calls: - agent = call.get("agent", "unknown") - tool = call.get("tool", "unknown") - - # Count by agent - summary["by_agent"][agent] = summary["by_agent"].get(agent, 0) + 1 - - # Count by tool - summary["by_tool"][tool] = summary["by_tool"].get(tool, 0) + 1 - - # Add simplified details - summary["details"].append({ - "agent": agent, - "tool": tool, - "args": call.get("args", {}) - }) - - return summary - - def get_unlabeled_traces(self, limit: int = 100) -> List[Dict[str, Any]]: - """Retrieve traces that haven't been labeled yet""" - if not self.enabled: - return [] - - try: - # Get records where human_label_quality is empty - formula = match({"human_label_quality": ""}) - records = self.table.all(formula=formula, max_records=limit) - - traces = [] - for record in records: - trace = { - "record_id": record["id"], - "trace_id": record["fields"].get("trace_id"), - "timestamp": record["fields"].get("timestamp"), - "destination": record["fields"].get("destination"), - "request": json.loads(record["fields"].get("request_payload", "{}")), - "response": record["fields"].get("response_result"), - "tool_calls": json.loads(record["fields"].get("tool_calls", "{}")), - } - traces.append(trace) - - print(f"📥 Retrieved {len(traces)} unlabeled traces from Airtable") - return traces - - except Exception as e: - print(f"❌ Failed to retrieve unlabeled traces: {str(e)}") - return [] - - def get_labeled_traces(self, limit: int = 1000) -> List[Dict[str, Any]]: - """Retrieve traces that have been labeled for evaluation""" - if not self.enabled: - return [] - - try: - # Get records where human_label_quality is not empty - records = self.table.all(max_records=limit) - labeled_records = [r for r in records if r["fields"].get("human_label_quality")] - - traces = [] - for record in labeled_records: - fields = record["fields"] - trace = { - "record_id": record["id"], - "trace_id": fields.get("trace_id"), - "timestamp": fields.get("timestamp"), - "request": json.loads(fields.get("request_payload", "{}")), - "response": fields.get("response_result"), - "tool_calls": json.loads(fields.get("tool_calls", "{}")), - "research_data": fields.get("research_data"), - "budget_data": fields.get("budget_data"), - "local_data": fields.get("local_data"), - "final_itinerary": fields.get("final_itinerary"), - "labels": { - "quality": fields.get("human_label_quality"), - "accuracy": fields.get("human_label_accuracy"), - "notes": fields.get("human_label_notes"), - "labeled_by": fields.get("labeled_by"), - "labeled_at": fields.get("labeled_at") - } - } - traces.append(trace) - - print(f"📥 Retrieved {len(traces)} labeled traces from Airtable") - return traces - - except Exception as e: - print(f"❌ Failed to retrieve labeled traces: {str(e)}") - return [] - - def update_labels(self, record_id: str, labels: Dict[str, Any]) -> bool: - """Update labels for a specific trace""" - if not self.enabled: - return False - - try: - # Add timestamp for when it was labeled - labels["labeled_at"] = datetime.utcnow().isoformat() - - # Update the record - self.table.update(record_id, labels) - print(f"✅ Updated labels for record {record_id}") - return True - - except Exception as e: - print(f"❌ Failed to update labels: {str(e)}") - return False - - def get_trace_by_id(self, trace_id: str) -> Optional[Dict[str, Any]]: - """Retrieve a specific trace by its trace_id""" - if not self.enabled: - return None - - try: - formula = match({"trace_id": trace_id}) - records = self.table.all(formula=formula, max_records=1) - - if records: - record = records[0] - return { - "record_id": record["id"], - "fields": record["fields"] - } - return None - - except Exception as e: - print(f"❌ Failed to retrieve trace: {str(e)}") - return None - - def log_request(self, request_data: Dict[str, Any]) -> Optional[str]: - """Log an incoming request to Airtable""" - if not self.enabled: - return None - - try: - # Generate a unique trace ID - trace_id = hashlib.md5( - f"{datetime.utcnow().isoformat()}{json.dumps(request_data)}".encode() - ).hexdigest() - - # Prepare basic record for the request - record = { - "trace_id": trace_id, - "timestamp": datetime.utcnow().isoformat(), - "destination": request_data.get("destination", ""), - "duration": request_data.get("duration", ""), - "budget": request_data.get("budget", ""), - "interests": request_data.get("interests", ""), - "travel_style": request_data.get("travel_style", ""), - "request_payload": json.dumps(request_data), - "success": False, # Will be updated when response is ready - "human_label_notes": "", - "labeled_by": "", - "labeled_at": "" - } - - # Create record in Airtable - created_record = self._safe_create(record) - record_id = created_record["id"] - - print(f"📤 Request logged to Airtable: {trace_id} (Record: {record_id})") - return trace_id - - except Exception as e: - print(f"❌ Failed to log request to Airtable: {str(e)}") - return None - - def log_error(self, request_data: Dict[str, Any], error_message: str) -> None: - """Log an error that occurred during processing""" - if not self.enabled: - return - - try: - # Generate the same trace ID as the request - trace_id = hashlib.md5( - f"{datetime.utcnow().isoformat()}{json.dumps(request_data)}".encode() - ).hexdigest() - - # Try to find and update existing record - existing_trace = self.get_trace_by_id(trace_id) - - if existing_trace: - # Update existing record with error - self._safe_update(existing_trace["record_id"], { - "success": False, - "error_message": error_message - }) - print(f"📤 Error logged to existing trace: {trace_id}") - else: - # Create new error record - record = { - "trace_id": trace_id, - "timestamp": datetime.utcnow().isoformat(), - "destination": request_data.get("destination", ""), - "duration": request_data.get("duration", ""), - "budget": request_data.get("budget", ""), - "interests": request_data.get("interests", ""), - "travel_style": request_data.get("travel_style", ""), - "request_payload": json.dumps(request_data), - "success": False, - "error_message": error_message, - "human_label_notes": "", - "labeled_by": "", - "labeled_at": "" - } - - created_record = self._safe_create(record) - print(f"📤 Error logged to new Airtable record: {trace_id}") - - except Exception as e: - print(f"❌ Failed to log error to Airtable: {str(e)}") - - def log_response(self, request_data: Dict[str, Any], response_result: str, tool_calls: List[Dict[str, Any]]) -> None: - """Log a successful response to Airtable""" - if not self.enabled: - return - - try: - # Generate the same trace ID as the request - trace_id = hashlib.md5( - f"{datetime.utcnow().isoformat()}{json.dumps(request_data)}".encode() - ).hexdigest() - - # Summarize tool calls - tool_calls_summary = self._summarize_tool_calls(tool_calls) - - # Try to find and update existing record - existing_trace = self.get_trace_by_id(trace_id) - - if existing_trace: - # Update existing record with response - self._safe_update(existing_trace["record_id"], { - "response_result": response_result[:50000], # Airtable has field limits - "tool_calls": json.dumps(tool_calls_summary), - "success": True - }) - print(f"📤 Response logged to existing trace: {trace_id}") - else: - # Create new record with response - record = { - "trace_id": trace_id, - "timestamp": datetime.utcnow().isoformat(), - "destination": request_data.get("destination", ""), - "duration": request_data.get("duration", ""), - "budget": request_data.get("budget", ""), - "interests": request_data.get("interests", ""), - "travel_style": request_data.get("travel_style", ""), - "request_payload": json.dumps(request_data), - "response_result": response_result[:50000], - "tool_calls": json.dumps(tool_calls_summary), - "success": True, - "human_label_notes": "", - "labeled_by": "", - "labeled_at": "" - } - - created_record = self._safe_create(record) - print(f"📤 Response logged to new Airtable record: {trace_id}") - - except Exception as e: - print(f"❌ Failed to log response to Airtable: {str(e)}") - -# Create a singleton instance -airtable_logger = AirtableTraceLogger() diff --git a/specs/DESIGN.md b/specs/DESIGN.md new file mode 100644 index 0000000..d7ddf1a --- /dev/null +++ b/specs/DESIGN.md @@ -0,0 +1,322 @@ +# Design Philosophy + +### Design Philosophy +Anticipate user needs. Don't make the user think. Use Jakob's 10 usability heuristics. Consider affordances. Use negative space, iconography, gestures, and color purposefully. + +### User Personas + +1. **Casual Traveler**: Wants quick, personalized itinerary. Values convenience and comprehensive day-by-day plans. +2. **Budget-Conscious Traveler**: Needs cost breakdowns and savings tips. Reviews budget analysis carefully. +3. **Adventure Seeker**: Seeks authentic local experiences and hidden gems. Values RAG-powered local recommendations. +4. **Student/Learner**: Studies multi-agent architecture. Experiments with prompts, traces, and code customization. + +### Customer Journey Maps + +#### First-Time User Storyboard + +``` +┌─────────────────────────────────────────────────────────────────┐ +│ 1. DISCOVERY │ +│ ┌───────────────────────────────────────────────────────────┐ │ +│ │ 🌍 Plan Your Perfect Trip │ │ +│ │ ┌──────────────┐ ┌──────────────┐ ┌──────────────┐ │ │ +│ │ │ Research │ │ Budget │ │ Local │ │ │ +│ │ └──────────────┘ └──────────────┘ └──────────────┘ │ │ +│ └───────────────────────────────────────────────────────────┘ │ +└─────────────────────────────────────────────────────────────────┘ + ↓ +┌─────────────────────────────────────────────────────────────────┐ +│ 2. CONSIDERATION │ +│ ┌───────────────────────────────────────────────────────────┐ │ +│ │ Plan Your Trip │ │ +│ │ ┌─────────────────────────────────────────────────────┐ │ │ +│ │ │ Destination: [e.g., Kyoto, Japan ] 📍 │ │ │ +│ │ │ Duration: [e.g., 5 ] 📅 │ │ │ +│ │ │ Budget: [Moderate ▼] │ │ │ +│ │ │ Interests: [food, culture ] ✨ │ │ │ +│ │ └─────────────────────────────────────────────────────┘ │ │ +│ └───────────────────────────────────────────────────────────┘ │ +└─────────────────────────────────────────────────────────────────┘ + ↓ +┌─────────────────────────────────────────────────────────────────┐ +│ 3. INPUT │ +│ ┌───────────────────────────────────────────────────────────┐ │ +│ │ User fills form: │ │ +│ │ ✓ Destination: "Tokyo, Japan" │ │ +│ │ ✓ Duration: "7 days" │ │ +│ │ ✓ Budget: "Moderate" │ │ +│ │ ✓ Interests: "food, culture" │ │ +│ │ │ │ +│ │ [ Plan My Trip ] ← Click │ │ +│ └───────────────────────────────────────────────────────────┘ │ +└─────────────────────────────────────────────────────────────────┘ + ↓ +┌─────────────────────────────────────────────────────────────────┐ +│ 4. PROCESSING (6-8 seconds) │ +│ ┌───────────────────────────────────────────────────────────┐ │ +│ │ ⏳ Planning your itinerary... │ │ +│ │ │ │ +│ │ [Research Agent] ─┐ │ │ +│ │ [Budget Agent] ──┼─→ [Itinerary Agent] │ │ +│ │ [Local Agent] ─┘ │ │ +│ └───────────────────────────────────────────────────────────┘ │ +└─────────────────────────────────────────────────────────────────┘ + ↓ +┌─────────────────────────────────────────────────────────────────┐ +│ 5. RESULTS │ +│ ┌───────────────────────────────────────────────────────────┐ │ +│ │ Your Itinerary [Print / PDF] │ │ +│ │ ┌─────────────────────────────────────────────────────┐ │ │ +│ │ │ Day 1: Tokyo Arrival │ │ │ +│ │ │ • Morning: Tsukiji Market │ │ │ +│ │ │ • Afternoon: Senso-ji Temple │ │ │ +│ │ │ • Evening: Shibuya Crossing │ │ │ +│ │ │ │ │ │ +│ │ │ Budget: $150/day | Weather: Sunny, 22°C │ │ │ +│ │ └─────────────────────────────────────────────────────┘ │ │ +│ └───────────────────────────────────────────────────────────┘ │ +└─────────────────────────────────────────────────────────────────┘ + ↓ +┌─────────────────────────────────────────────────────────────────┐ +│ 6. ACTION │ +│ ┌───────────────────────────────────────────────────────────┐ │ +│ │ User actions: │ │ +│ │ 📱 Shares with travel companions │ │ +│ │ 💾 Saves itinerary │ │ +│ │ 🏨 Books accommodations │ │ +│ └───────────────────────────────────────────────────────────┘ │ +└─────────────────────────────────────────────────────────────────┘ +``` + +#### Returning User Storyboard + +``` +┌─────────────────────────────────────────────────────────────────┐ +│ RETURN │ +│ ┌───────────────────────────────────────────────────────────┐ │ +│ │ Quick form fill → [Plan My Trip] │ │ +│ │ (Knows what to expect) │ │ +│ └───────────────────────────────────────────────────────────┘ │ +└─────────────────────────────────────────────────────────────────┘ + ↓ +┌─────────────────────────────────────────────────────────────────┐ +│ ITERATION │ +│ ┌───────────────────────────────────────────────────────────┐ │ +│ │ Try 1: Budget="Moderate" → Get results │ │ +│ │ Try 2: Budget="Luxury" → Compare │ │ +│ │ Try 3: Interests="food" → Refine │ │ +│ │ │ │ +│ │ 💡 Need: Side-by-side comparison view │ │ +│ └───────────────────────────────────────────────────────────┘ │ +└─────────────────────────────────────────────────────────────────┘ +``` + +## More Detail + +Beautiful web applications transcend mere functionality - they evoke emotion and form memorable experiences. Each app should follow these core principles: + +### Foundational Principles + +* **Simplicity Through Reduction**: Identify the essential purpose and eliminate everything that distracts from it. Begin with complexity, then deliberately remove until reaching the simplest effective solution. +* **Material Honesty**: Digital materials have unique properties. Buttons should feel pressable, cards should feel substantial, and animations should reflect real-world physics while embracing digital possibilities. +* **Obsessive Detail**: Consider every pixel, every interaction, and every transition. Excellence emerges from hundreds of thoughtful decisions that collectively project a feeling of quality. +* **Coherent Design Language**: Every element should visually communicate its function and feel like part of a unified system. Nothing should feel arbitrary. +* **Invisibility of Technology**: The best technology disappears. Users should focus on their content and goals, not on understanding your interface. +* **Start With Why**: Before designing any feature, clearly articulate its purpose and value. This clarity should inform every subsequent decision. + +### Typographic Excellence + +* **Purposeful Typography**: Typography should be treated as a core design element, not an afterthought. Every typeface choice should serve the app's purpose and personality. +* **Typographic Hierarchy**: Construct clear visual distinction between different levels of information. Headlines, subheadings, body text, and captions should each have a distinct but harmonious appearance that guides users through content. +* **Limited Font Selection**: Choose no more than 2-3 typefaces for the entire application. Consider San Francisco, Helvetica Neue, or similarly clean sans-serif fonts that emphasize legibility. +* **Type Scale Harmony**: Establish a mathematical relationship between text sizes (like the golden ratio or major third). This forms visual rhythm and cohesion across the interface. +* **Breathing Room**: Allow generous spacing around text elements. Line height should typically be 1.5x font size for body text, with paragraph spacing that forms clear visual separation without disconnection. + +### Color Theory Application + +* **Intentional Color**: Every color should have a specific purpose. Avoid decorative colors that don't communicate function or hierarchy. +* **Color as Communication**: Use color to convey meaning - success, warning, information, or action. Maintain consistency in these relationships throughout the app. +* **Sophisticated Palettes**: Prefer subtle, slightly desaturated colors rather than bold primary colors. Consider colors that feel "photographed" rather than "rendered." +* **Contextual Adaptation**: Colors should respond to their environment. Consider how colors appear how they interact with surrounding elements. +* **Focus Through Restraint**: Limit accent colors to guide attention to the most important actions. The majority of the interface should use neutral tones that recede and let content shine. + +### Spatial Awareness + +* **Compositional Balance**: Every screen should feel balanced, with careful attention to visual weight and negative space. Elements should feel purposefully placed rather than arbitrarily positioned. +* **Grid Discipline**: Maintain a consistent underlying grid system that forms a sense of order while allowing for meaningful exceptions when appropriate. +* **Breathing Room**: Use generous negative space to focus attention and design a sense of calm. Avoid cluttered interfaces where elements compete for attention. +* **Spatial Relationships**: Related elements should be visually grouped through proximity, alignment, and shared attributes. The space between elements should communicate their relationship. + +# Human Interface Elements + +This section provides comprehensive guidance for creating interactive elements that feel intuitive, responsive, and delightful. + +### Core Interaction Principles + +* **Direct Manipulation**: Design interfaces where users interact directly with their content rather than through abstract controls. Elements should respond in ways that feel physically intuitive. +* **Immediate Feedback**: Every interaction must provide instantaneous visual feedback (within 100ms), even if the complete action takes longer to process. +* **Perceived Continuity**: Maintain context during transitions. Users should always understand where they came from and where they're going. +* **Consistent Behavior**: Elements that look similar should behave similarly. Build trust through predictable patterns. +* **Forgiveness**: Make errors difficult, but recovery easy. Provide clear paths to undo actions and recover from mistakes. +* **Discoverability**: Core functions should be immediately visible. Advanced functions can be progressively revealed as needed. + +### Control Design Guidelines + +#### Buttons + +* **Purpose-Driven Design**: Visually express the importance and function of each button through its appearance. Primary actions should be visually distinct from secondary or tertiary actions. +* **States**: Every button must have distinct, carefully designed states for: + - Default (rest) + - Hover + - Active/Pressed + - Focused + - Disabled + +* **Visual Affordance**: Buttons should appear "pressable" through subtle shadows, highlights, or dimensionality cues that respond to interaction. +* **Size and Touch Targets**: Minimum touch target size of 44×44px for all interactive elements, regardless of visual size. +* **Label Clarity**: Use concise, action-oriented verbs that clearly communicate what happens when pressed. + +#### Input Controls + +* **Form Fields**: Design fields that guide users through correct input with: + - Clear labeling that remains visible during input + - Smart defaults when possible + - Format examples for complex inputs + - Inline validation with constructive error messages + - Visual confirmation of successful input + +* **Selection Controls**: Toggles, checkboxes, and radio buttons should: + - Have a clear visual difference between selected and unselected states + - Provide generous hit areas beyond the visible control + - Group related options visually + - Animate state changes to reinforce selection + +* **Field Focus**: Highlight the active input with a subtle but distinct focus state. Consider using a combination of color change, subtle animation, and lighting effects. + +#### Menus and Lists + +* **Hierarchical Organization**: Structure content in a way that communicates relationships clearly. +* **Progressive Disclosure**: Reveal details as needed rather than overwhelming users with options. +* **Selection Feedback**: Provide immediate, satisfying feedback when items are selected. +* **Empty States**: Design thoughtful empty states that guide users toward appropriate actions. + +### Motion and Animation + +* **Purposeful Animation**: Every animation must serve a functional purpose: + - Orient users during navigation changes + - Establish relationships between elements + - Provide feedback for interactions + - Guide attention to important changes + +* **Natural Physics**: Movement should follow real-world physics with appropriate: + - Acceleration and deceleration + - Mass and momentum characteristics + - Elasticity appropriate to the context + +* **Subtle Restraint**: Animations should be felt rather than seen. Avoid animations that: + - Delay user actions unnecessarily + - Call attention to themselves + - Feel mechanical or artificial + +* **Timing Guidelines**: + - Quick actions (button press): 100-150ms + - State changes: 200-300ms + - Page transitions: 300-500ms + - Attention-directing: 200-400ms + +* **Spatial Consistency**: Maintain a coherent spatial model. Elements that appear to come from off-screen should return in that direction. + +### Responsive States and Feedback + +* **State Transitions**: Design smooth transitions between all interface states. Nothing should change abruptly without appropriate visual feedback. +* **Loading States**: Replace generic spinners with purpose-built, branded loading indicators that communicate progress clearly. +* **Success Confirmation**: Acknowledge completed actions with subtle but clear visual confirmation. +* **Error Handling**: Present errors with constructive guidance rather than technical details. Errors should never feel like dead ends. + +### Gesture and Input Support + +* **Precision vs. Convenience**: Design for both precise (mouse, stylus) and convenience (touch, keyboard) inputs, adapting the interface appropriately. + +* **Natural Gestures**: Implement common gestures that match user expectations: + - Tap for primary actions + - Long-press for contextual options + - Swipe for navigation or dismissal + - Pinch for scaling content + +* **Keyboard Navigation**: Ensure complete keyboard accessibility with logical tab order and visible focus states. + +### Micro-Interactions + +* **Moment of Delight**: Identify key moments in user flows where subtle animations or feedback can form emotional connection. +* **Reactive Elements**: Design elements that respond subtly to cursor proximity or scroll position, creating a sense of liveliness. +* **Progressive Enhancement**: Layer micro-interactions so they enhance but never obstruct functionality. + +### Finishing Touches + +* **Micro-Interactions**: Add small, delightful details that reward attention and form emotional connection. These should be discovered naturally rather than announcing themselves. +* **Fit and Finish**: Obsess over pixel-perfect execution. Alignment, spacing, and proportions should be mathematically precise and visually harmonious. +* **Content-Focused Design**: The interface should ultimately serve the content. When content is present, the UI should recede; when guidance is needed, the UI should emerge. +* **Consistency with Surprise**: Establish consistent patterns that build user confidence, but introduce occasional moments of delight that form memorable experiences. + +## Design Direction + +### Visual Tone & Identity +- **Emotional Response**: What specific feelings should the design evoke in users? +- **Design Personality**: Should the design feel playful, serious, elegant, rugged, cutting-edge, or classic? +- **Visual Metaphors**: What imagery or concepts reflect the site's purpose? +- **Simplicity Spectrum**: Minimal vs. rich interface - which better serves the core purpose? + +### Color Strategy +- **Color Scheme Type**: + - Monochromatic (variations of one hue) + - Analogous (adjacent colors on color wheel) + - Complementary (opposite colors) + - Triadic (three equally spaced colors) + - Custom palette +- **Primary Color**: Main brand color and what it communicates +- **Secondary Colors**: Supporting colors and their purposes +- **Accent Color**: Attention-grabbing highlight color for CTAs and important elements +- **Color Psychology**: How selected colors influence user perception and behavior +- **Color Accessibility**: Ensuring sufficient contrast and colorblind-friendly combinations +- **Foreground/Background Pairings**: Explicitly define and list the primary text color (foreground) to be used on each key background color (background, card, primary, secondary, accent, muted). Validate these pairings against WCAG AA contrast ratios (4.5:1 for normal, 3:1 for large). + +### Typography System +- **Font Pairing Strategy**: How heading and body fonts will work together +- **Typographic Hierarchy**: Size, weight, and spacing relationships between text elements +- **Font Personality**: What characteristics should the typefaces convey? +- **Readability Focus**: Line length, spacing, and size considerations for optimal reading +- **Typography Consistency**: Rules for maintaining cohesive type treatment +- **Which fonts**: Now, which Google fonts will be used? +- **Legibility Check**: Are the selected fonts legible? + +### Visual Hierarchy & Layout +- **Attention Direction**: How the design guides the user's eye to important elements +- **White Space Philosophy**: How negative space will be used to create rhythm and focus +- **Grid System**: Underlying structure for organizing content and creating alignment +- **Responsive Approach**: How the design adapts across device sizes +- **Content Density**: Balancing information richness with visual clarity + +### Animations +- **Purposeful Meaning**: Consider how motion can communicate your brand personality and guide users' attention +- **Hierarchy of Movement**: Determine which elements deserve animation focus based on their importance +- **Contextual Appropriateness**: Balance between subtle functionality and moments of delight + +### UI Elements & Component Selection +- **Component Usage**: Which specific components best serve each function (Dialogs, Cards, Forms, etc.) +- **Component Customization**: Specific Tailwind modifications needed for brand alignment +- **Component States**: How interactive elements (buttons, inputs, dropdowns) should behave in different states +- **Icon Selection**: Which icons from the set best represent each action or concept +- **Component Hierarchy**: Primary, secondary, and tertiary UI elements and their visual treatment +- **Spacing System**: Consistent padding and margin values using Tailwind's spacing scale +- **Mobile Adaptation**: How components should adapt or reconfigure on smaller screens + +### Visual Consistency Framework +- **Design System Approach**: Component-based vs. page-based design +- **Style Guide Elements**: Key design decisions to document +- **Visual Rhythm**: Creating patterns that make the interface predictable +- **Brand Alignment**: How the design reinforces brand identity + +### Edge Cases & Problem Scenarios +- **Potential Obstacles**: What might prevent users from succeeding? +- **Edge Case Handling**: How will the site handle unexpected user behaviors? +- **Technical Constraints**: What limitations should we be aware of? \ No newline at end of file diff --git a/test scripts/synthetic_data_gen.py b/test scripts/synthetic_data_gen.py deleted file mode 100644 index 7961f49..0000000 --- a/test scripts/synthetic_data_gen.py +++ /dev/null @@ -1,388 +0,0 @@ -#!/usr/bin/env python3 -""" -Synthetic generator focused on provoking bad tool calls for demoing Arize Evals. - -- Sends crafted requests to /plan-trip to encourage wrong/misaligned tool use -- Captures tool_calls returned by the backend and flags likely mistakes -- Saves a concise JSON report you can correlate with Arize traces - -Usage: - python generate_bad_tool_calls.py --base-url http://localhost:8000 --count 15 --outfile synthetic_bad_tool_calls.json -""" - -import argparse -import json -import os -import random -import time -from datetime import datetime -from typing import Any, Dict, List - -import requests - - -def scenarios_bad_tool_calls() -> List[Dict[str, Any]]: - """Curated prompts designed to elicit wrong tool usage. - - Each scenario declares wrong_tools (tools that should NOT be used) - and recommended_tools (tools that SHOULD be used) to guide evaluation. - """ - base = [ - { - "name": "Weather Asked In Budget Field", - "request": { - "destination": "Dubai, UAE", - "duration": "5 days", - "budget": "What are the weather patterns and entry fees?", - "interests": "luxury shopping, desert safari", - "travel_style": "luxury", - }, - "recommended_tools": ["get_destination_weather", "search_destination_info"], - "wrong_tools": ["calculate_accommodation_cost", "calculate_food_cost"], - }, - { - "name": "Itinerary Asked In Budget", - "request": { - "destination": "Barcelona, Spain", - "duration": "4 days", - "budget": "Create an optimized hour-by-hour schedule", - "interests": "architecture, beaches, nightlife", - "travel_style": "standard", - }, - "recommended_tools": ["create_daily_schedule", "calculate_travel_time"], - "wrong_tools": ["get_attraction_prices", "calculate_accommodation_cost"], - }, - { - "name": "Local Customs Ignored For Food", - "request": { - "destination": "Marrakech, Morocco", - "duration": "1 week", - "budget": "$1500", - "interests": "what etiquette and local customs should I know?", - "travel_style": "authentic", - }, - "recommended_tools": ["get_local_customs"], - "wrong_tools": ["find_local_restaurants"], - }, - { - "name": "Visa Asked As Interest", - "request": { - "destination": "Bangkok, Thailand", - "duration": "7 days", - "budget": "$1200", - "interests": "I need visa info and embassy rules", - "travel_style": "budget", - }, - "recommended_tools": ["research_visa_requirements", "search_destination_info"], - "wrong_tools": ["calculate_transport_cost", "get_attraction_prices"], - }, - { - "name": "Exact Prices Everywhere", - "request": { - "destination": "Tokyo, Japan", - "duration": "6 days", - "budget": "$900", - "interests": "exact accommodation prices, precise weather data, specific restaurant prices", - "travel_style": "data-driven", - }, - "recommended_tools": [ - "calculate_accommodation_cost", - "get_destination_weather", - "find_local_restaurants", - ], - "wrong_tools": ["create_daily_schedule"], # itinerary tools at this stage are premature - }, - { - "name": "Hidden Gems Request But Uses Food Cost", - "request": { - "destination": "Rome, Italy", - "duration": "5 days", - "budget": "$1000", - "interests": "hidden gems only", - "travel_style": "adventure", - }, - "recommended_tools": ["find_hidden_gems"], - "wrong_tools": ["calculate_food_cost"], - }, - ] - - # Frustrated user tone scenarios (for tone-off evaluations) - frustrated = [ - { - "name": "Frustrated: Generic Answers", - "request": { - "destination": "Lisbon, Portugal", - "duration": "5 days", - "budget": "$1200", - "interests": "I'm really frustrated. Stop giving generic advice and give me specifics only.", - "travel_style": "standard", - }, - "frustrated": True, - }, - { - "name": "Frustrated: Multiple Attempts", - "request": { - "destination": "Prague, Czech Republic", - "duration": "3 days", - "budget": "$800", - "interests": "This is the third time I'm asking. Please acknowledge that and be concise.", - "travel_style": "budget", - }, - "frustrated": True, - }, - { - "name": "Frustrated: Strict Instructions", - "request": { - "destination": "New York City, USA", - "duration": "2 days", - "budget": "$500", - "interests": "I'm annoyed. Do not upsell. Only free or cheap options.", - "travel_style": "budget", - }, - "frustrated": True, - }, - ] - - return base + frustrated - - -def post_plan_trip(base_url: str, payload: Dict[str, Any], timeout: int = 60) -> Dict[str, Any]: - url = f"{base_url.rstrip('/')}/plan-trip" - r = requests.post(url, json=payload, timeout=timeout) - try: - data = r.json() - except Exception: - data = {"raw": r.text} - return {"status": r.status_code, "data": data} - - -def evaluate_bad_tools(tools: List[Dict[str, Any]], recommended: List[str], wrong: List[str]) -> Dict[str, Any]: - used = [t.get("tool", "") for t in tools] - wrong_used = [t for t in used if t in wrong] - missing_recommended = [t for t in recommended if t not in used] - return { - "used": used, - "wrong_used": wrong_used, - "missing_recommended": missing_recommended, - "is_bad": len(wrong_used) > 0, - } - - -def evaluate_tone_off(response_text: str, frustrated: bool) -> Dict[str, Any]: - """Heuristic tone evaluation to flag 'off' tone, especially for frustrated users. - - - Checks for empathy/acknowledgement/apology when frustrated=True - - Flags inappropriate cheerfulness or dismissive language - """ - text = (response_text or "").lower() - - empathy_cues = ["i understand", "i'm sorry", "i am sorry", "apologize", "i know this is frustrating", "i hear you"] - acknowledgement_cues = ["thanks for your patience", "acknowledge", "you mentioned", "as you said"] - concise_cues = ["here are", "specifically", "exactly", "bullet points", "summary:"] - - inappropriate_cheer = ["awesome", "delight", "thrilled", "so excited", "can't wait", "!", "😊", "🎉"] - dismissive_cues = ["calm down", "relax", "just", "simply", "anyway"] - - has_empathy = any(cue in text for cue in empathy_cues) - has_ack = any(cue in text for cue in acknowledgement_cues) - has_concise = any(cue in text for cue in concise_cues) - too_cheery = sum(text.count(tok) for tok in inappropriate_cheer) >= 2 - dismissive = any(cue in text for cue in dismissive_cues) - - tone_off = False - reasons: List[str] = [] - if frustrated: - if not has_empathy and not has_ack: - tone_off = True - reasons.append("No empathy/acknowledgement for frustrated user") - if too_cheery: - tone_off = True - reasons.append("Inappropriately cheerful tone for frustrated user") - if dismissive: - tone_off = True - reasons.append("Dismissive phrasing detected") - if not has_concise: - reasons.append("No conciseness cues detected") - else: - if dismissive: - tone_off = True - reasons.append("Dismissive phrasing for non-frustrated user") - - return { - "frustrated_input": frustrated, - "has_empathy": has_empathy, - "has_acknowledgement": has_ack, - "inappropriately_cheerful": too_cheery, - "dismissive": dismissive, - "tone_off": tone_off, - "reasons": reasons, - } - - -def main(): - parser = argparse.ArgumentParser(description="Generate synthetic requests that provoke bad tool calls.") - parser.add_argument("--base-url", default=os.getenv("API_BASE_URL", "http://localhost:8000")) - parser.add_argument("--count", type=int, default=12, help="Total requests to send (scenarios are sampled)") - parser.add_argument("--outfile", default="synthetic_bad_tool_calls.json") - parser.add_argument("--test-rag", action="store_true", help="Include RAG-specific test scenarios") - args = parser.parse_args() - - scenarios = scenarios_bad_tool_calls() - - # Add RAG-specific test scenarios if flag is set - if args.test_rag: - rag_scenarios = [ - { - "name": "RAG Test: Prague History", - "request": { - "destination": "Prague", - "duration": "4 days", - "budget": "$1200", - "interests": "history, architecture", - "travel_style": "cultural", - "session_id": "rag_test_001", - "user_id": "test_user", - "turn_index": 1, - }, - "recommended_tools": ["local_flavor", "local_customs"], - "wrong_tools": [], - "expect_rag": True, - }, - { - "name": "RAG Test: Tokyo Food and Anime", - "request": { - "destination": "Tokyo", - "duration": "6 days", - "budget": "$2000", - "interests": "food, anime, technology", - "travel_style": "enthusiast", - "session_id": "rag_test_002", - "user_id": "test_user", - "turn_index": 1, - }, - "recommended_tools": ["local_flavor", "hidden_gems"], - "wrong_tools": [], - "expect_rag": True, - }, - { - "name": "RAG Test: Barcelona Art and Food", - "request": { - "destination": "Barcelona", - "duration": "5 days", - "budget": "$1500", - "interests": "art, food, architecture", - "travel_style": "explorer", - "session_id": "rag_test_003", - "user_id": "test_user", - "turn_index": 1, - }, - "recommended_tools": ["local_flavor", "local_customs"], - "wrong_tools": [], - "expect_rag": True, - }, - { - "name": "RAG Test: Bangkok Markets", - "request": { - "destination": "Bangkok", - "duration": "5 days", - "budget": "$800", - "interests": "food, markets, wellness", - "travel_style": "authentic", - "session_id": "rag_test_004", - "user_id": "test_user", - "turn_index": 1, - }, - "recommended_tools": ["local_flavor", "hidden_gems"], - "wrong_tools": [], - "expect_rag": True, - }, - { - "name": "RAG Test: New York Neighborhoods", - "request": { - "destination": "New York", - "duration": "4 days", - "budget": "$2500", - "interests": "food, art, neighborhoods", - "travel_style": "local", - "session_id": "rag_test_005", - "user_id": "test_user", - "turn_index": 1, - }, - "recommended_tools": ["local_flavor", "hidden_gems"], - "wrong_tools": [], - "expect_rag": True, - }, - ] - scenarios.extend(rag_scenarios) - print(f"\n✨ Added {len(rag_scenarios)} RAG test scenarios") - print("📝 These scenarios test retrieval with specific cities in the database") - print("🔍 Check responses for curated guide sources when ENABLE_RAG=1\n") - - results: List[Dict[str, Any]] = [] - - print("🌋 Generating synthetic bad-tool-call requests") - print("=" * 70) - print(f"Target: {args.base_url}") - - for i in range(args.count): - scenario = random.choice(scenarios) - payload = scenario["request"].copy() - print(f"\n#{i+1:02d} {scenario['name']} → {payload['destination']} ({payload['duration']})") - - start = time.time() - resp = post_plan_trip(args.base_url, payload) - elapsed = time.time() - start - - status = resp["status"] - data = resp["data"] if isinstance(resp["data"], dict) else {"raw": resp["data"]} - tool_calls = data.get("tool_calls", []) if status == 200 else [] - response_text = data.get("result", "") if status == 200 else "" - - eval_res = evaluate_bad_tools( - tools=tool_calls, - recommended=scenario.get("recommended_tools", []), - wrong=scenario.get("wrong_tools", []), - ) - - tone_eval = evaluate_tone_off(response_text, scenario.get("frustrated", False)) - - print(f" HTTP {status} in {elapsed:.1f}s | tools: {len(tool_calls)} | wrong used: {eval_res['wrong_used']}") - if eval_res["missing_recommended"]: - print(f" Missing recommended: {eval_res['missing_recommended']}") - - results.append( - { - "id": i + 1, - "timestamp": datetime.utcnow().isoformat(), - "scenario": scenario["name"], - "request": payload, - "response_status": status, - "tool_calls": tool_calls, - "eval_tools": eval_res, - "eval_tone": tone_eval, - "arize_trace_hint": "Open Arize, filter by recent traces and inspect tool spans.", - } - ) - - time.sleep(0.6) - - summary = { - "total": len(results), - "bad_tool_cases": sum(1 for r in results if r["eval_tools"]["is_bad"]), - "tone_off_cases": sum(1 for r in results if r["eval_tone"]["tone_off"]), - "avg_tools": round( - sum(len(r["tool_calls"]) for r in results) / len(results), 2 - ), - } - - out = {"summary": summary, "results": results} - with open(args.outfile, "w", encoding="utf-8") as f: - json.dump(out, f, indent=2, ensure_ascii=False) - - print("\n📦 Saved:", args.outfile) - print("📊 Summary:", json.dumps(summary, indent=2)) - print("\n👉 In Arize: Explore traces, focus on tool spans for these requests.") - - -if __name__ == "__main__": - main() diff --git a/tools/README.md b/tools/README.md deleted file mode 100644 index e8d1f3a..0000000 --- a/tools/README.md +++ /dev/null @@ -1,101 +0,0 @@ -# Tools Documentation - -This folder contains utility scripts for managing Python environments and MCP configuration. - -## Scripts - -### 1. setup-mcp.sh (macOS/Linux) - -Automatically detects and configures MCP (Model Context Protocol) for the Arize Tracing Assistant in Cursor IDE. - -**What it does:** -- Detects Python and uvx installations on your system -- Tests uvx to ensure it works with arize-tracing-assistant -- Generates the proper MCP configuration file at `.cursor/mcp.json` -- Creates a backup of any existing configuration - -**Usage:** - -```bash -cd /path/to/your/project -./tools/setup-mcp.sh -``` - -**After running:** -1. Restart Cursor IDE completely -2. Go to Settings → Tools & MCP -3. Verify arize-tracing-assistant appears and is connected - -**Requirements:** -- macOS or Linux -- Python 3.9+ installed -- uvx installed (or the script will prompt you to install it) - -**Troubleshooting:** -- If uvx is not found, install it with: `pip install uvx` -- If connection fails, check the generated `.cursor/mcp.json` file -- Try using the absolute path suggestion shown at the end of the script - ---- - -### 2. switch-python.ps1 (Windows) - -Switches between different Python versions on Windows systems, managing PATH and py launcher configuration. - -**What it does:** -- Auto-installs the requested Python version if not present (via winget) -- Configures py launcher to use the specified version as default -- Creates python3.exe for Unix-style compatibility -- Re-orders system PATH to prioritize the selected Python version -- Backs up your current PATH configuration -- Removes other Python versions from PATH (optional) - -**Usage:** - -```powershell -# Switch to Python 3.13 -.\tools\switch-python.ps1 -Version 3.13 - -# Switch to Python 3.9 -.\tools\switch-python.ps1 -Version 3.9 - -# Switch to Python 3.11 but keep other Python versions in PATH -.\tools\switch-python.ps1 -Version 3.11 -KeepOtherPythonsInPath -``` - -**After running:** -1. Close and reopen PowerShell to load the new PATH -2. Verify the switch worked: - ```powershell - python -V - python3 -V - where python - ``` - -**Important:** -- Disable Windows Store Python aliases: - - Go to Settings → Apps → App execution aliases - - Turn OFF python.exe and python3.exe - -**Requirements:** -- Windows 10/11 -- PowerShell 5.1 or later -- winget (for auto-installation) - -**Generated files:** -- Creates a log file on your Desktop: `SwitchPython_log_YYYYMMDD_HHMMSS.txt` -- Creates a PATH backup on your Desktop: `PATH_backup_YYYYMMDD_HHMMSS.txt` - ---- - -## Support - -For issues or questions: -- setup-mcp.sh: Check Cursor IDE MCP documentation -- switch-python.ps1: Created by Aman Khan - The AI PM Playbook Team - -## Notes - -- Both scripts include safety features like backups and validation -- Both scripts provide detailed output during execution -- Both scripts are designed to be idempotent (safe to run multiple times) diff --git a/tools/setup-mcp.sh b/tools/setup-mcp.sh deleted file mode 100755 index e9a917e..0000000 --- a/tools/setup-mcp.sh +++ /dev/null @@ -1,182 +0,0 @@ -#!/bin/bash - -# MCP Configuration Setup Script for Arize Tracing Assistant -# This script detects the correct Python/uvx installation and generates the proper MCP configuration - -set -e - -echo "🔍 Detecting Python and uvx installations..." - -# Function to check if a command exists and is executable -check_command() { - if command -v "$1" >/dev/null 2>&1; then - echo "✅ Found: $1" - return 0 - else - echo "❌ Not found: $1" - return 1 - fi -} - -# Function to test if uvx can run the arize-tracing-assistant -test_uvx() { - local uvx_path="$1" - echo "🧪 Testing $uvx_path with arize-tracing-assistant..." - - # First check if uvx can be executed at all - if ! "$uvx_path" --version >/dev/null 2>&1; then - echo "❌ $uvx_path is not executable" - return 1 - fi - - # Test with a longer timeout since uvx might need to install packages - if timeout 30s "$uvx_path" arize-tracing-assistant@latest --help >/dev/null 2>&1; then - echo "✅ $uvx_path works with arize-tracing-assistant" - return 0 - else - echo "❌ $uvx_path failed with arize-tracing-assistant (this might be normal if packages need to be installed)" - # Don't fail completely, just note it - return 1 - fi -} - -# Detect Python installations -echo "" -echo "🐍 Checking Python installations..." - -PYTHON_PATHS=() -UVX_PATHS=() - -# Check common Python locations -for python_cmd in python3 python; do - if check_command "$python_cmd"; then - PYTHON_PATHS+=("$(which "$python_cmd")") - fi -done - -# Check for uvx in common locations -echo "" -echo "📦 Checking for uvx installations..." - -# Check if uvx is in PATH -if check_command uvx; then - UVX_PATHS+=("$(which uvx)") -fi - -# Check common Python framework locations (macOS) -for version in 3.13 3.12 3.11 3.10 3.9; do - uvx_path="/Library/Frameworks/Python.framework/Versions/$version/bin/uvx" - if [[ -f "$uvx_path" ]]; then - echo "✅ Found uvx at: $uvx_path" - UVX_PATHS+=("$uvx_path") - fi -done - -# Check user local installations -for python_path in "${PYTHON_PATHS[@]}"; do - if [[ -n "$python_path" ]]; then - # Get the directory containing the python executable - python_dir=$(dirname "$python_path") - uvx_path="$python_dir/uvx" - if [[ -f "$uvx_path" ]]; then - echo "✅ Found uvx at: $uvx_path" - UVX_PATHS+=("$uvx_path") - fi - fi -done - -# Test each uvx installation -echo "" -echo "🧪 Testing uvx installations..." - -WORKING_UVX="" -WORKING_PATH="" - -for uvx_path in "${UVX_PATHS[@]}"; do - if test_uvx "$uvx_path"; then - WORKING_UVX="$uvx_path" - # Extract the directory containing uvx for PATH - WORKING_PATH=$(dirname "$uvx_path") - break - fi -done - -# If no uvx passed the test, use the first one found (it might work in Cursor's environment) -if [[ -z "$WORKING_UVX" && ${#UVX_PATHS[@]} -gt 0 ]]; then - echo "" - echo "⚠️ No uvx installation passed the test, but we found some installations." - echo "📝 Using the first available uvx (it might work in Cursor's environment):" - WORKING_UVX="${UVX_PATHS[0]}" - WORKING_PATH=$(dirname "$WORKING_UVX") - echo " Using: $WORKING_UVX" -fi - -if [[ -z "$WORKING_UVX" ]]; then - echo "" - echo "❌ No uvx installation found!" - echo "💡 Try installing uvx with: pip install uvx" - echo "💡 Or install arize-tracing-assistant with: pip install arize-tracing-assistant" - exit 1 -fi - -echo "" -echo "🎉 Found working uvx: $WORKING_UVX" -echo "📁 uvx directory: $WORKING_PATH" - -# Create .cursor directory if it doesn't exist -CURSOR_DIR=".cursor" -if [[ ! -d "$CURSOR_DIR" ]]; then - echo "📁 Creating .cursor directory..." - mkdir -p "$CURSOR_DIR" -fi - -# Generate MCP configuration -MCP_CONFIG_FILE="$CURSOR_DIR/mcp.json" - -echo "" -echo "⚙️ Generating MCP configuration..." - -# Create the MCP configuration -cat > "$MCP_CONFIG_FILE" << EOF -{ - "mcpServers": { - "arize-tracing-assistant": { - "command": "uvx", - "args": [ - "arize-tracing-assistant@latest" - ], - "env": { - "PATH": "$WORKING_PATH:/usr/local/bin:/usr/bin:/bin" - } - } - } -} -EOF - -echo "✅ MCP configuration created at: $MCP_CONFIG_FILE" - -# Display the configuration -echo "" -echo "📋 Generated configuration:" -echo "----------------------------------------" -cat "$MCP_CONFIG_FILE" -echo "----------------------------------------" - -echo "" -echo "🎯 Next steps:" -echo "1. Restart Cursor completely" -echo "2. Go to Settings → Tools & MCP" -echo "3. Verify arize-tracing-assistant appears and is connected" -echo "" -echo "🔧 If it still doesn't work, try using the absolute path:" -echo " \"command\": \"$WORKING_UVX\"" -echo "" - -# Optional: Create a backup of the current config -if [[ -f "$MCP_CONFIG_FILE" ]]; then - BACKUP_FILE="${MCP_CONFIG_FILE}.backup.$(date +%Y%m%d_%H%M%S)" - echo "💾 Creating backup of existing config at: $BACKUP_FILE" - cp "$MCP_CONFIG_FILE" "$BACKUP_FILE" -fi - -echo "✨ Setup complete!" diff --git a/tools/switch-python.ps1 b/tools/switch-python.ps1 deleted file mode 100644 index 7acca7e..0000000 --- a/tools/switch-python.ps1 +++ /dev/null @@ -1,152 +0,0 @@ -<# Switch-Python.ps1 (auto-install, robust, ASCII-safe) - Usage: - .\Switch-Python.ps1 -Version 3.13 - .\Switch-Python.ps1 -Version 3.9 - Notes: - - Auto-installs the requested version via winget if missing. - - Open a NEW PowerShell after it finishes to see PATH changes. - - Turn OFF python/python3 aliases in Settings -> Apps -> App execution aliases. -#> - -[CmdletBinding()] -param( - [Parameter(Mandatory=$true)] - [ValidatePattern('^\d+\.\d+$')] - [string]$Version, - [switch]$KeepOtherPythonsInPath -) - -$ErrorActionPreference = 'Stop' -$logPath = Join-Path $env:USERPROFILE ("Desktop\SwitchPython_log_{0}.txt" -f (Get-Date -Format 'yyyyMMdd_HHmmss')) -$mustPause = $true -try { Start-Transcript -Path $logPath -ErrorAction SilentlyContinue | Out-Null } catch {} - -function Info($m){ Write-Host "[INFO] $m" -ForegroundColor Cyan } -function Ok($m){ Write-Host "[ OK ] $m" -ForegroundColor Green } -function Warn($m){ Write-Host "[WARN] $m" -ForegroundColor Yellow } -function Err($m){ Write-Host "[ERR ] $m" -ForegroundColor Red } - -function Test-PyVersion { - param([string]$Ver) - try { & py -$Ver -V | Out-Null; return $true } catch { return $false } -} - -function Ensure-PythonVersion { - param([string]$Ver) - if (Test-PyVersion $Ver) { return $true } - - Info "Python $Ver not detected. Attempting to install with winget..." - $installed = $false - $winget = Get-Command winget -ErrorAction SilentlyContinue - if ($winget) { - try { - winget install --exact --id ("Python.Python.{0}" -f $Ver) --accept-source-agreements --accept-package-agreements - Start-Sleep -Seconds 2 - if (Test-PyVersion $Ver) { $installed = $true } - } catch { - Warn "winget install failed or package not found for Python.Python.$Ver." - } - } else { - Warn "winget not found; skipping winget install." - } - - if (-not $installed) { - Info "Trying py launcher auto-install path..." - $env:PYLAUNCHER_ALLOW_INSTALL = "1" - try { & py -$Ver -V | Out-Null } catch {} - Start-Sleep -Seconds 2 - if (Test-PyVersion $Ver) { $installed = $true } - } - - if (-not $installed) { - Err "Unable to install Python $Ver automatically." - Warn "Install manually from https://www.python.org/downloads/windows/ and re-run the script." - return $false - } - - Ok "Python $Ver installed and detected." - return $true -} - -try { - Info "Checking Python $Version availability..." - if (-not (Ensure-PythonVersion -Ver $Version)) { - throw "Python $Version not available after installation attempts." - } - - Info "Setting py launcher default to $Version" - [Environment]::SetEnvironmentVariable("PY_PYTHON",$Version,"User") - [Environment]::SetEnvironmentVariable("PY_PYTHON3",$Version,"User") - $pyIniPath = Join-Path $env:LOCALAPPDATA 'py.ini' - Set-Content -Path $pyIniPath -Value ("[defaults]`npython={0}" -f $Version) -Encoding ASCII - - Info "Locating Python $Version executable..." - $exe = & py -$Version -c "import sys; print(sys.executable)" - if (-not $exe) { throw "Could not resolve sys.executable for Python $Version." } - $pyDir = Split-Path $exe - $scriptsDir = Join-Path $pyDir 'Scripts' - Ok "python.exe : $exe" - - $py3Exe = Join-Path $pyDir 'python3.exe' - if (-not (Test-Path $py3Exe)) { - Copy-Item (Join-Path $pyDir 'python.exe') $py3Exe -Force - Ok "Created python3.exe next to python.exe" - } - - Info "Re-ordering User PATH to prioritize Python $Version" - $winApps = Join-Path $env:LOCALAPPDATA 'Microsoft\WindowsApps' - $shimBin = Join-Path $env:LOCALAPPDATA 'Python\bin' - $userPathOld = [Environment]::GetEnvironmentVariable("Path","User") - $backup = Join-Path $env:USERPROFILE ("Desktop\PATH_backup_{0}.txt" -f (Get-Date -Format 'yyyyMMdd_HHmmss')) - Set-Content $backup $userPathOld - Ok "PATH backed up to $backup" - - $parts = ($userPathOld -split ';' | Where-Object { $_ }) | ForEach-Object { $_.Trim() } - $parts = $parts | Where-Object { $_ -ne $pyDir -and $_ -ne $scriptsDir -and $_ -ne $shimBin } - if (-not $KeepOtherPythonsInPath) { - $parts = $parts | Where-Object { $_ -notmatch 'Python3\d{2}(\\|$)' } - } - $noWinApps = $parts | Where-Object { $_ -ne $winApps } - $newPath = (@($pyDir,$scriptsDir) + $noWinApps + @($winApps) | Select-Object -Unique) -join ';' - [Environment]::SetEnvironmentVariable("Path",$newPath,"User") - Ok "User PATH updated." - - Warn "Check App execution aliases: turn OFF python.exe & python3.exe in Settings -> Apps -> App execution aliases." - - # ----------------------- Clean Summary ----------------------- - Write-Host "" - Write-Host "============================================================" -ForegroundColor DarkCyan - Write-Host (" PYTHON SWITCH COMPLETE - Default is now Python {0}" -f $Version) -ForegroundColor Cyan - Write-Host "============================================================" -ForegroundColor DarkCyan - Write-Host "" - $finalVer = (& py -$Version -V) - Write-Host (" Active Python Version : " + $finalVer) -ForegroundColor Green - Write-Host "" - Write-Host " IMPORTANT: Close and reopen PowerShell to load the new PATH." -ForegroundColor Magenta - Write-Host " Then verify with:" -ForegroundColor Gray - Write-Host " python -V" -ForegroundColor Cyan - Write-Host " python3 -V" -ForegroundColor Cyan - Write-Host " where python" -ForegroundColor Cyan - Write-Host "" - Ok ("Log saved to: {0}" -f $logPath) - Write-Host "" - Write-Host "--------------------- Made with love -----------------------" -ForegroundColor DarkGray - Write-Host " ***** *****" -ForegroundColor Gray - Write-Host " ********* *********" -ForegroundColor Gray - Write-Host " ***********************" -ForegroundColor Gray - Write-Host " *********************" -ForegroundColor Gray - Write-Host " *****************" -ForegroundColor Gray - Write-Host " *************" -ForegroundColor Gray - Write-Host " *********" -ForegroundColor Gray - Write-Host " *****" -ForegroundColor Gray - Write-Host " *" -ForegroundColor Gray - Write-Host " by Aman Khan - The AI PM Playbook Team" -ForegroundColor Gray - Write-Host "------------------------------------------------------------" -ForegroundColor DarkGray - -} catch { - Err ("{0}" -f $_.Exception.Message) - if ($_.ScriptStackTrace) { Warn $_.ScriptStackTrace } -} finally { - try { Stop-Transcript | Out-Null } catch {} - if ($mustPause) { Read-Host "Press Enter to close this window" | Out-Null } -} From 95b3122712658fa136b6b6d0283208fb2555d343 Mon Sep 17 00:00:00 2001 From: Eric Xiao Date: Fri, 12 Dec 2025 02:48:29 -0500 Subject: [PATCH 2/2] cursor for PMs course --- CLAUDE.md | 27 + EXAMPLE.md | 0 Makefile | 36 + backend/.coverage | Bin 0 -> 53248 bytes backend/.env | 46 -- backend/main.py | 2 + backend/requirements.txt | 4 + backend/tests/__init__.py | 2 + backend/tests/conftest.py | 210 +++++ backend/tests/fixtures/__init__.py | 2 + backend/tests/fixtures/sample_data.py | 43 + backend/tests/test_agents.py | 409 ++++++++++ backend/tests/test_api.py | 255 ++++++ backend/tests/test_graph.py | 229 ++++++ backend/tests/test_retriever.py | 283 +++++++ backend/tests/test_tools.py | 245 ++++++ context/walmart_app_store_reviews.csv | 1082 +++++++++++++++++++++++++ 17 files changed, 2829 insertions(+), 46 deletions(-) create mode 100644 EXAMPLE.md create mode 100644 Makefile create mode 100644 backend/.coverage delete mode 100644 backend/.env create mode 100644 backend/tests/__init__.py create mode 100644 backend/tests/conftest.py create mode 100644 backend/tests/fixtures/__init__.py create mode 100644 backend/tests/fixtures/sample_data.py create mode 100644 backend/tests/test_agents.py create mode 100644 backend/tests/test_api.py create mode 100644 backend/tests/test_graph.py create mode 100644 backend/tests/test_retriever.py create mode 100644 backend/tests/test_tools.py create mode 100644 context/walmart_app_store_reviews.csv diff --git a/CLAUDE.md b/CLAUDE.md index f902247..13e79dd 100644 --- a/CLAUDE.md +++ b/CLAUDE.md @@ -69,6 +69,33 @@ cd .. ## Testing +### Running the Test Suite + +The backend includes a comprehensive test suite covering all components. Run tests using the Makefile: + +```bash +make test # Run all tests with verbose output +make test-verbose # Run tests with extra verbose output +make test-coverage # Run tests with coverage report (HTML + terminal) +``` + +Or run pytest directly: +```bash +cd backend +pytest tests/ -v # Run all tests +pytest tests/test_api.py -v # Run API tests only +pytest tests/ -k "test_retriever" # Run specific test file/pattern +pytest tests/ --cov=main --cov-report=html # With coverage +``` + +### Test Coverage + +The test suite includes: +- **Unit Tests**: Tools, RAG retriever, agents (all functions tested with mocks) +- **Integration Tests**: LangGraph workflow, API endpoints +- **Coverage Goals**: 90%+ coverage across all components +- **Fast Execution**: All tests run in <5 seconds (no external API calls) + ### Quick API Test ```bash curl -X POST http://localhost:8000/plan-trip \ diff --git a/EXAMPLE.md b/EXAMPLE.md new file mode 100644 index 0000000..e69de29 diff --git a/Makefile b/Makefile new file mode 100644 index 0000000..e2235ac --- /dev/null +++ b/Makefile @@ -0,0 +1,36 @@ +.PHONY: test test-verbose test-coverage test-watch install run lint help + +# Default target +help: + @echo "Available commands:" + @echo " make test - Run all tests" + @echo " make test-verbose - Run tests with verbose output" + @echo " make test-coverage - Run tests with coverage report" + @echo " make install - Install dependencies" + @echo " make run - Start the backend server" + @echo " make lint - Run linter on backend code" + +# Run all tests +test: + cd backend && source .env && uv run pytest tests/ -v + +# Run tests with verbose output +test-verbose: + cd backend && source .env && uv run pytest tests/ -vv + +# Run tests with coverage report +test-coverage: + cd backend && source .env && uv run pytest tests/ --cov=main --cov-report=html --cov-report=term + +# Install dependencies +install: + cd backend && uv pip install -r requirements.txt + +# Start the backend server +run: + cd backend && source .env && uv run uvicorn main:app --host 0.0.0.0 --port 8000 --reload + +# Run linter +lint: + cd backend && uv run ruff check . + diff --git a/backend/.coverage b/backend/.coverage new file mode 100644 index 0000000000000000000000000000000000000000..9048eb6c09144bb8436880f8a286a0ccc973ab2f GIT binary patch literal 53248 zcmeI)OKclO7zglOJGHxxt!-6RRurm?gdnvV$FX|gRgngoLq(-hC|oMxj@RR4sdv}e zU8l(bQm2SYNQDdH1nrS45+{lTReR!4RUA1WaY6Ke5K?)lYFhYaAAYoPRUxFN$$w=# z>)n~zZ+`Q#V<)d4J7W5R)g9O3KHIPCP*hbp$e5xi8r^erkGC}K48>3Ar`oeWXjfAv z-!J6!HSV&nAivzJm^I4fi#aNy>6#XIm)R+?JP{;_uI7s+KRiH%2y@Ps zDcIg9dx5#4E?i+7!V9C=Yt{;x!r7HfI=^d|dQJp&;;uor;lA3?fo@d}*Qp@GaceUA zs>^L-UU(CXcWP)j6z7s3*4A~blJBsFX$RG`J<~TGn~5c1w0u!pw}KNAE#3&Pw>DJP zNm-$jVb17UJv!aY>*S1*N15vsobAM{-Hh_mlsSmmZdp|#f4gNhW#dqe@WQ?`DCeNO zz7tjUq1$Giw(QoouQ_9K*`i^tmTfMyM5pm5SU2ZHPz~FeV6qa_1D+aA<)7Q7D%2~* zlDE*H*IO0d@}1y$g&Mz7ribi%JGZCvV`J*Mg`lHIo=Vm9z0Qu-*J(P32Xq~IesI5$ zqolu+$Whd2FsB|28JU}fjYGY;cg&Px4DQN-#+)c2Mfym4n+%p>VAY0G?eA+rkMRTz z5Sk0(Wc8M9$f4rNIvCEPaQU2=jLwGB!lUj;)OE^QDnC0msOxmPK&9N-&9p~S>HO%Z zx~c`;C~B?fN4l>I#VxtcG#a0>1ov8QJdr$Tl8ke7XUTYsL}#cv#dIn^Gdid`QMyVw z+S%St52f?FcdPAiM96tb-naEtLLTW3fqNE$hY!EW{dsnO?D8-LKE5rLe_{8az-0)P zvV2UPJ&_1PJ~tBRTQup*d$KQNd88ZiD`L60$Qv}9G`Z>0kfk{|TmhI&SmTtKSDlt0 z^k4Zj=$>-z>Bbut(0v};Q>sFcoQC(Sj^~-QtjcA}dpwXCZH#RUM}xxE-zy zl;f~R*EBsA#Bl$rG~F%3Tb5L;I`-%%!qeI*mzG(?2 zlLWy89qTmrnBfXKNo#3gJo%t*AX}?amXGpX@^<-Bu05uv^ZWLx?N&4x!+ECS(V}kg zIPBPzN+6==!Ojf z5P$##AOHafKmY;|fB*y_0D;XXkW>?DTE72J=szj?Z}fl-0uX=z1Rwwb2tWV=5P$## zAOL~KQXrd1?$P6Kcueh3lcOWicL1K5EbpJ3%22Hm`VB?Dq5t_qTdH#7l(1_h zi<>t6zXbXDzp7tV=!Ojf5P$##AOHafKmY;|fB*y_0D+Awa3Hy&{pa`p`2T+!w_y<( z1Rwwb2tWV=5P$##AOHafK;VB6NYWPva^dIyYl^=1Ka_|fAOHafKmY;|fB*y_009U< z00I!$a01C>P76Q(Kd-*WW>KBQruP^-b`Rb4F{+)mF&d~_qjB?Pp{_C}Gei%(oDap%9 zmTqTOUc7Yc+Gp4HOC?8iY-@Ur>$wlwGvFQ)>CqBA)tEh&b z|KC>h+nbXVwSoWyAOHafKmY;|fB*y_009VWae<*BO$$E%S9WZ12~-~f5P$##AOHaf zKmY;|fB*y_u*n7F=l^*BzsVaJ)q?;8AOHafKmY;|fB*y_0D&zpApia!@Bg=aHvj+x XAOHafKmY;|fB*y_009VWa)EyVbbp6y literal 0 HcmV?d00001 diff --git a/backend/.env b/backend/.env deleted file mode 100644 index 2befbde..0000000 --- a/backend/.env +++ /dev/null @@ -1,46 +0,0 @@ -# AI Trip Planner - Environment Configuration - -# ======================================== -# LLM Provider (REQUIRED - choose one) -# ======================================== - -# Option 1: OpenAI -# OPENAI_API_KEY= - -# Option 2: OpenRouter (OpenAI-compatible alternative) -# OPENROUTER_API_KEY=your_openrouter_api_key_here -# OPENROUTER_MODEL=openai/gpt-4o-mini - -# ======================================== -# Observability (Optional but recommended) -# ======================================== - -# Arize Platform for tracing and monitoring -# Sign up at https://app.arize.com -# ARIZE_SPACE_ID= -# ARIZE_API_KEY= - -# ======================================== -# Optional Features -# ======================================== - -# RAG: Enable vector search over curated local guides -# Requires OPENAI_API_KEY for embeddings -# Set to 1 to enable, 0 to disable (default: 0) -ENABLE_RAG=1 - -# Embeddings model for RAG (only used if ENABLE_RAG=1) -OPENAI_EMBED_MODEL=text-embedding-3-small - -# Airtable: Store and label trace data -# Get these from https://airtable.com/account -# AIRTABLE_API_KEY=your_airtable_api_key_here -# AIRTABLE_BASE_ID=your_airtable_base_id_here -# AIRTABLE_TABLE_NAME=trip_planner_traces - -# ======================================== -# Development -# ======================================== - -# Test mode: Use fake LLM responses (no API calls) -# TEST_MODE=1 diff --git a/backend/main.py b/backend/main.py index 29070f5..24a0c69 100644 --- a/backend/main.py +++ b/backend/main.py @@ -722,6 +722,8 @@ def itinerary_agent(state: TripState) -> TripState: "Research: {research}", "Budget: {budget}", "Local: {local}", + "", + "Keep it under 100 words.", ] if user_input: prompt_parts.append("User input: {user_input}") diff --git a/backend/requirements.txt b/backend/requirements.txt index 3a077c5..8273ffe 100644 --- a/backend/requirements.txt +++ b/backend/requirements.txt @@ -18,3 +18,7 @@ python-dotenv>=1.0.0 requests>=2.31.0 httpx>=0.24.0 pandas>=2.0.0 +pytest>=7.4.0 +pytest-asyncio>=0.21.0 +pytest-mock>=3.11.0 +ruff>=0.1.0 diff --git a/backend/tests/__init__.py b/backend/tests/__init__.py new file mode 100644 index 0000000..7431317 --- /dev/null +++ b/backend/tests/__init__.py @@ -0,0 +1,2 @@ +# Test suite for AI Trip Planner backend + diff --git a/backend/tests/conftest.py b/backend/tests/conftest.py new file mode 100644 index 0000000..b0ad568 --- /dev/null +++ b/backend/tests/conftest.py @@ -0,0 +1,210 @@ +"""Shared pytest fixtures and test configuration.""" + +import os +import json +import tempfile +from pathlib import Path +from typing import Dict, Any, Optional +from unittest.mock import Mock, MagicMock + +import pytest +from fastapi.testclient import TestClient +from langchain_core.messages import BaseMessage, HumanMessage, SystemMessage + +# Set TEST_MODE before importing main to enable fake LLM +os.environ["TEST_MODE"] = "1" +os.environ.pop("OPENAI_API_KEY", None) +os.environ.pop("OPENROUTER_API_KEY", None) +os.environ.pop("ENABLE_RAG", None) + +from main import app, TripRequest, LocalGuideRetriever +from tests.fixtures.sample_data import SAMPLE_LOCAL_GUIDES, SAMPLE_TRIP_REQUEST + + +@pytest.fixture(scope="session", autouse=True) +def setup_test_environment(): + """Set up test environment variables for the entire test session.""" + # Ensure TEST_MODE is set + os.environ["TEST_MODE"] = "1" + # Disable RAG by default unless explicitly enabled in test + os.environ.pop("ENABLE_RAG", None) + yield + # Cleanup + os.environ.pop("TEST_MODE", None) + + +@pytest.fixture +def test_client(): + """FastAPI TestClient instance.""" + return TestClient(app) + + +@pytest.fixture +def sample_trip_request(): + """Sample TripRequest data.""" + return SAMPLE_TRIP_REQUEST.copy() + + +@pytest.fixture +def sample_trip_request_minimal(): + """Minimal TripRequest with only required fields.""" + return { + "destination": "Tokyo, Japan", + "duration": "7 days" + } + + +@pytest.fixture +def mock_llm_response(): + """Mock LLM response object.""" + class MockResponse: + def __init__(self, content: str = "Test response", tool_calls: Optional[list] = None): + self.content = content + self.tool_calls = tool_calls or [] + + return MockResponse + + +@pytest.fixture +def mock_llm_with_tool_calls(): + """Mock LLM that returns tool calls.""" + def create_mock_llm(tool_calls: list): + mock_llm = Mock() + mock_response = Mock() + mock_response.content = "" + mock_response.tool_calls = tool_calls + mock_llm.invoke = Mock(return_value=mock_response) + mock_llm.bind_tools = Mock(return_value=mock_llm) + return mock_llm + return create_mock_llm + + +@pytest.fixture +def mock_search_api_success(monkeypatch): + """Mock _search_api to return successful results.""" + def mock_search(query: str) -> Optional[str]: + return f"Mock search result for: {query[:50]}" + + import main + monkeypatch.setattr(main, "_search_api", mock_search) + return mock_search + + +@pytest.fixture +def mock_search_api_failure(monkeypatch): + """Mock _search_api to return None (triggers LLM fallback).""" + def mock_search(query: str) -> Optional[str]: + return None + + import main + monkeypatch.setattr(main, "_search_api", mock_search) + return mock_search + + +@pytest.fixture +def mock_llm_fallback(monkeypatch): + """Mock _llm_fallback to return predictable responses.""" + def mock_fallback(instruction: str, context: Optional[str] = None) -> str: + return f"LLM fallback response for: {instruction[:50]}" + + import main + monkeypatch.setattr(main, "_llm_fallback", mock_fallback) + return mock_fallback + + +@pytest.fixture +def temp_local_guides_file(tmp_path): + """Create a temporary local_guides.json file for testing.""" + guides_file = tmp_path / "local_guides.json" + guides_file.write_text(json.dumps(SAMPLE_LOCAL_GUIDES, indent=2)) + return guides_file + + +@pytest.fixture +def temp_empty_guides_file(tmp_path): + """Create an empty local_guides.json file.""" + guides_file = tmp_path / "local_guides.json" + guides_file.write_text(json.dumps([], indent=2)) + return guides_file + + +@pytest.fixture +def temp_malformed_guides_file(tmp_path): + """Create a malformed JSON file.""" + guides_file = tmp_path / "local_guides.json" + guides_file.write_text("{ invalid json }") + return guides_file + + +@pytest.fixture +def temp_nonexistent_file(tmp_path): + """Return path to a non-existent file.""" + return tmp_path / "nonexistent.json" + + +@pytest.fixture +def mock_retriever_with_data(): + """Create a LocalGuideRetriever with sample data.""" + with tempfile.NamedTemporaryFile(mode='w', suffix='.json', delete=False) as f: + json.dump(SAMPLE_LOCAL_GUIDES, f) + temp_path = Path(f.name) + + retriever = LocalGuideRetriever(temp_path) + yield retriever + + # Cleanup + temp_path.unlink() + + +@pytest.fixture +def mock_retriever_empty(): + """Create an empty LocalGuideRetriever.""" + with tempfile.NamedTemporaryFile(mode='w', suffix='.json', delete=False) as f: + json.dump([], f) + temp_path = Path(f.name) + + retriever = LocalGuideRetriever(temp_path) + yield retriever + + # Cleanup + temp_path.unlink() + + +@pytest.fixture +def mock_tool_node(monkeypatch): + """Mock ToolNode.invoke to return predictable tool results.""" + from langchain_core.messages import AIMessage, ToolMessage + + def mock_invoke(state: Dict[str, Any]) -> Dict[str, Any]: + messages = state.get("messages", []) + tool_results = [] + for msg in messages: + if hasattr(msg, "tool_calls") and msg.tool_calls: + for tool_call in msg.tool_calls: + tool_result = ToolMessage( + content=f"Mock result for {tool_call['name']}", + tool_call_id=tool_call.get("id", "test-id") + ) + tool_results.append(tool_result) + return {"messages": tool_results} + + from langgraph.prebuilt import ToolNode + original_invoke = ToolNode.invoke + ToolNode.invoke = mock_invoke + yield mock_invoke + ToolNode.invoke = original_invoke + + +@pytest.fixture +def sample_trip_state(): + """Sample TripState for testing agents.""" + return { + "messages": [], + "trip_request": SAMPLE_TRIP_REQUEST.copy(), + "research": None, + "budget": None, + "local": None, + "final": None, + "tool_calls": [] + } + diff --git a/backend/tests/fixtures/__init__.py b/backend/tests/fixtures/__init__.py new file mode 100644 index 0000000..94fead8 --- /dev/null +++ b/backend/tests/fixtures/__init__.py @@ -0,0 +1,2 @@ +# Test fixtures and sample data + diff --git a/backend/tests/fixtures/sample_data.py b/backend/tests/fixtures/sample_data.py new file mode 100644 index 0000000..2dca02a --- /dev/null +++ b/backend/tests/fixtures/sample_data.py @@ -0,0 +1,43 @@ +"""Sample test data fixtures for testing.""" + +SAMPLE_LOCAL_GUIDES = [ + { + "city": "Tokyo", + "interests": ["food", "culture"], + "description": "Visit Tsukiji Outer Market for fresh sushi breakfast, then explore Senso-ji Temple in Asakusa for traditional culture.", + "source": "https://example.com/tokyo-guide" + }, + { + "city": "Tokyo", + "interests": ["art", "architecture"], + "description": "Explore the Mori Art Museum in Roppongi Hills, featuring contemporary Japanese art and stunning city views.", + "source": "https://example.com/tokyo-art" + }, + { + "city": "Paris", + "interests": ["food", "history"], + "description": "Take a food tour through Le Marais, sampling traditional French pastries and visiting historic sites.", + "source": "https://example.com/paris-food" + }, + { + "city": "Paris", + "interests": ["art"], + "description": "Visit the Musée d'Orsay to see Impressionist masterpieces in a converted railway station.", + "source": "https://example.com/paris-art" + }, + { + "city": "New York", + "interests": ["food", "culture"], + "description": "Explore diverse neighborhoods like Chinatown and Little Italy, sampling authentic cuisine from around the world.", + "source": "https://example.com/nyc-food" + } +] + +SAMPLE_TRIP_REQUEST = { + "destination": "Tokyo, Japan", + "duration": "7 days", + "budget": "$2000", + "interests": "food, culture", + "travel_style": "standard" +} + diff --git a/backend/tests/test_agents.py b/backend/tests/test_agents.py new file mode 100644 index 0000000..5f06fb4 --- /dev/null +++ b/backend/tests/test_agents.py @@ -0,0 +1,409 @@ +"""Unit tests for agent functions.""" + +from unittest.mock import Mock, MagicMock, patch +from langchain_core.messages import AIMessage, SystemMessage, ToolMessage + +import pytest + +from main import research_agent, budget_agent, local_agent, itinerary_agent + + +class TestResearchAgent: + """Tests for research_agent function.""" + + def test_with_tool_calls(self, sample_trip_state, monkeypatch): + """Test research_agent with tool calls.""" + # Mock LLM response with tool calls + mock_response = Mock() + mock_response.content = "" + mock_response.tool_calls = [ + {"name": "essential_info", "args": {"destination": "Tokyo"}, "id": "call_1"}, + {"name": "weather_brief", "args": {"destination": "Tokyo"}, "id": "call_2"} + ] + + mock_llm = Mock() + mock_llm.bind_tools = Mock(return_value=mock_llm) + mock_llm.invoke = Mock(side_effect=[ + mock_response, # First call returns tool calls + Mock(content="Synthesized research summary") # Synthesis call + ]) + + # Mock ToolNode + mock_tool_results = [ + ToolMessage(content="Essential info result", tool_call_id="call_1"), + ToolMessage(content="Weather result", tool_call_id="call_2") + ] + + with patch('main.llm', mock_llm), \ + patch('main.ToolNode') as mock_tool_node_class: + mock_tool_node = Mock() + mock_tool_node.invoke = Mock(return_value={"messages": mock_tool_results}) + mock_tool_node_class.return_value = mock_tool_node + + result = research_agent(sample_trip_state) + + assert "research" in result + assert result["research"] == "Synthesized research summary" + assert len(result["tool_calls"]) == 2 + assert result["tool_calls"][0]["agent"] == "research" + assert result["tool_calls"][0]["tool"] == "essential_info" + + def test_without_tool_calls(self, sample_trip_state, monkeypatch): + """Test research_agent without tool calls (direct response).""" + mock_response = Mock() + mock_response.content = "Direct research response" + mock_response.tool_calls = [] + + mock_llm = Mock() + mock_llm.bind_tools = Mock(return_value=mock_llm) + mock_llm.invoke = Mock(return_value=mock_response) + + with patch('main.llm', mock_llm): + result = research_agent(sample_trip_state) + + assert result["research"] == "Direct research response" + assert len(result["tool_calls"]) == 0 + + def test_tool_selection(self, sample_trip_state, monkeypatch): + """Test that research_agent uses correct tools.""" + mock_response = Mock() + mock_response.content = "" + mock_response.tool_calls = [{"name": "essential_info", "args": {}, "id": "call_1"}] + + mock_llm = Mock() + mock_llm.bind_tools = Mock(return_value=mock_llm) + mock_llm.invoke = Mock(side_effect=[ + mock_response, + Mock(content="Summary") + ]) + + with patch('main.llm', mock_llm), \ + patch('main.ToolNode') as mock_tool_node_class: + mock_tool_node = Mock() + mock_tool_node.invoke = Mock(return_value={"messages": []}) + mock_tool_node_class.return_value = mock_tool_node + + # Check that bind_tools was called with correct tools + research_agent(sample_trip_state) + call_args = mock_llm.bind_tools.call_args[0][0] + tool_names = [tool.name for tool in call_args] + assert "essential_info" in tool_names + assert "weather_brief" in tool_names + assert "visa_brief" in tool_names + + +class TestBudgetAgent: + """Tests for budget_agent function.""" + + def test_with_budget_value(self, sample_trip_state, monkeypatch): + """Test budget_agent with specific budget value.""" + sample_trip_state["trip_request"]["budget"] = "$2000" + + mock_response = Mock() + mock_response.content = "" + mock_response.tool_calls = [{"name": "budget_basics", "args": {}, "id": "call_1"}] + + mock_llm = Mock() + mock_llm.bind_tools = Mock(return_value=mock_llm) + mock_llm.invoke = Mock(side_effect=[ + mock_response, + Mock(content="Budget breakdown for $2000") + ]) + + with patch('main.llm', mock_llm), \ + patch('main.ToolNode') as mock_tool_node_class: + mock_tool_node = Mock() + mock_tool_node.invoke = Mock(return_value={"messages": []}) + mock_tool_node_class.return_value = mock_tool_node + + result = budget_agent(sample_trip_state) + + assert "budget" in result + assert "$2000" in result["budget"] or "2000" in result["budget"] + assert len(result["tool_calls"]) >= 0 + + def test_with_default_budget(self, sample_trip_state, monkeypatch): + """Test budget_agent defaults to 'moderate' when budget not specified.""" + sample_trip_state["trip_request"].pop("budget", None) + + mock_response = Mock() + mock_response.content = "Budget analysis" + mock_response.tool_calls = [] + + mock_llm = Mock() + mock_llm.bind_tools = Mock(return_value=mock_llm) + mock_llm.invoke = Mock(return_value=mock_response) + + with patch('main.llm', mock_llm): + result = budget_agent(sample_trip_state) + + assert result["budget"] == "Budget analysis" + + def test_tool_selection(self, sample_trip_state, monkeypatch): + """Test that budget_agent uses correct tools.""" + mock_response = Mock() + mock_response.content = "" + mock_response.tool_calls = [] + + mock_llm = Mock() + mock_llm.bind_tools = Mock(return_value=mock_llm) + mock_llm.invoke = Mock(return_value=mock_response) + + with patch('main.llm', mock_llm): + budget_agent(sample_trip_state) + call_args = mock_llm.bind_tools.call_args[0][0] + tool_names = [tool.name for tool in call_args] + assert "budget_basics" in tool_names + assert "attraction_prices" in tool_names + + +class TestLocalAgent: + """Tests for local_agent function.""" + + def test_with_rag_disabled(self, sample_trip_state, monkeypatch): + """Test local_agent when RAG is disabled.""" + import main + monkeypatch.setattr(main, "ENABLE_RAG", False) + + mock_response = Mock() + mock_response.content = "Local experiences" + mock_response.tool_calls = [] + + mock_llm = Mock() + mock_llm.bind_tools = Mock(return_value=mock_llm) + mock_llm.invoke = Mock(return_value=mock_response) + + with patch('main.llm', mock_llm): + result = local_agent(sample_trip_state) + + assert result["local"] == "Local experiences" + + def test_with_rag_enabled(self, sample_trip_state, monkeypatch): + """Test local_agent when RAG is enabled and returns results.""" + import main + monkeypatch.setattr(main, "ENABLE_RAG", True) + + mock_retrieved = [ + { + "content": "City: Tokyo\nInterests: food\nGuide: Test guide", + "metadata": {"city": "Tokyo", "interests": ["food"], "source": "test"} + } + ] + + mock_response = Mock() + mock_response.content = "Local experiences" + mock_response.tool_calls = [] + + mock_llm = Mock() + mock_llm.bind_tools = Mock(return_value=mock_llm) + mock_llm.invoke = Mock(return_value=mock_response) + + with patch('main.llm', mock_llm), \ + patch('main.GUIDE_RETRIEVER') as mock_retriever: + mock_retriever.retrieve = Mock(return_value=mock_retrieved) + + result = local_agent(sample_trip_state) + + # Verify retriever was called + mock_retriever.retrieve.assert_called_once() + assert result["local"] == "Local experiences" + + def test_with_interests(self, sample_trip_state, monkeypatch): + """Test local_agent with specific interests.""" + import main + monkeypatch.setattr(main, "ENABLE_RAG", False) + + sample_trip_state["trip_request"]["interests"] = "art, architecture" + + mock_response = Mock() + mock_response.content = "Art-focused experiences" + mock_response.tool_calls = [] + + mock_llm = Mock() + mock_llm.bind_tools = Mock(return_value=mock_llm) + mock_llm.invoke = Mock(return_value=mock_response) + + with patch('main.llm', mock_llm): + result = local_agent(sample_trip_state) + + assert result["local"] == "Art-focused experiences" + + def test_with_travel_style(self, sample_trip_state, monkeypatch): + """Test local_agent with specific travel style.""" + import main + monkeypatch.setattr(main, "ENABLE_RAG", False) + + sample_trip_state["trip_request"]["travel_style"] = "luxury" + + mock_response = Mock() + mock_response.content = "Luxury experiences" + mock_response.tool_calls = [] + + mock_llm = Mock() + mock_llm.bind_tools = Mock(return_value=mock_llm) + mock_llm.invoke = Mock(return_value=mock_response) + + with patch('main.llm', mock_llm): + result = local_agent(sample_trip_state) + + assert result["local"] == "Luxury experiences" + + def test_tool_selection(self, sample_trip_state, monkeypatch): + """Test that local_agent uses correct tools.""" + import main + monkeypatch.setattr(main, "ENABLE_RAG", False) + + mock_response = Mock() + mock_response.content = "" + mock_response.tool_calls = [] + + mock_llm = Mock() + mock_llm.bind_tools = Mock(return_value=mock_llm) + mock_llm.invoke = Mock(return_value=mock_response) + + with patch('main.llm', mock_llm): + local_agent(sample_trip_state) + call_args = mock_llm.bind_tools.call_args[0][0] + tool_names = [tool.name for tool in call_args] + assert "local_flavor" in tool_names + assert "local_customs" in tool_names + assert "hidden_gems" in tool_names + + +class TestItineraryAgent: + """Tests for itinerary_agent function.""" + + def test_synthesis_with_all_inputs(self, sample_trip_state, monkeypatch): + """Test itinerary_agent synthesizes research, budget, and local inputs.""" + sample_trip_state["research"] = "Research summary" + sample_trip_state["budget"] = "Budget summary" + sample_trip_state["local"] = "Local summary" + + mock_response = Mock() + mock_response.content = "Complete itinerary" + + mock_llm = Mock() + mock_llm.invoke = Mock(return_value=mock_response) + + with patch('main.llm', mock_llm): + result = itinerary_agent(sample_trip_state) + + assert result["final"] == "Complete itinerary" + # Verify LLM was called with all inputs + call_args = mock_llm.invoke.call_args[0][0] + prompt_content = call_args[0].content + assert "Research summary" in prompt_content + assert "Budget summary" in prompt_content + assert "Local summary" in prompt_content + + def test_truncates_long_inputs(self, sample_trip_state, monkeypatch): + """Test that itinerary_agent truncates inputs to 400 characters.""" + long_text = "x" * 500 + sample_trip_state["research"] = long_text + sample_trip_state["budget"] = long_text + sample_trip_state["local"] = long_text + + mock_response = Mock() + mock_response.content = "Itinerary" + + mock_llm = Mock() + mock_llm.invoke = Mock(return_value=mock_response) + + with patch('main.llm', mock_llm): + result = itinerary_agent(sample_trip_state) + + # Verify truncation happened - check that inputs in prompt are max 400 chars + call_args = mock_llm.invoke.call_args[0][0] + prompt_content = call_args[0].content + + # Extract the research, budget, and local lines + lines = prompt_content.split("\n") + research_line = next((l for l in lines if l.startswith("Research:")), None) + budget_line = next((l for l in lines if l.startswith("Budget:")), None) + local_line = next((l for l in lines if l.startswith("Local:")), None) + + # Each should be truncated to 400 chars (plus prefix) + if research_line: + assert len(research_line.replace("Research: ", "")) <= 400 + if budget_line: + assert len(budget_line.replace("Budget: ", "")) <= 400 + if local_line: + assert len(local_line.replace("Local: ", "")) <= 400 + + def test_with_user_input(self, sample_trip_state, monkeypatch): + """Test itinerary_agent includes user_input when provided.""" + sample_trip_state["trip_request"]["user_input"] = "I prefer morning activities" + sample_trip_state["research"] = "Research" + sample_trip_state["budget"] = "Budget" + sample_trip_state["local"] = "Local" + + mock_response = Mock() + mock_response.content = "Itinerary with user preferences" + + mock_llm = Mock() + mock_llm.invoke = Mock(return_value=mock_response) + + with patch('main.llm', mock_llm): + result = itinerary_agent(sample_trip_state) + + call_args = mock_llm.invoke.call_args[0][0] + prompt_content = call_args[0].content + assert "I prefer morning activities" in prompt_content + + def test_without_user_input(self, sample_trip_state, monkeypatch): + """Test itinerary_agent works without user_input.""" + sample_trip_state["trip_request"].pop("user_input", None) + sample_trip_state["research"] = "Research" + sample_trip_state["budget"] = "Budget" + sample_trip_state["local"] = "Local" + + mock_response = Mock() + mock_response.content = "Itinerary" + + mock_llm = Mock() + mock_llm.invoke = Mock(return_value=mock_response) + + with patch('main.llm', mock_llm): + result = itinerary_agent(sample_trip_state) + + call_args = mock_llm.invoke.call_args[0][0] + prompt_content = call_args[0].content + assert "User input:" not in prompt_content + + def test_with_travel_style(self, sample_trip_state, monkeypatch): + """Test itinerary_agent includes travel_style.""" + sample_trip_state["trip_request"]["travel_style"] = "budget" + sample_trip_state["research"] = "Research" + sample_trip_state["budget"] = "Budget" + sample_trip_state["local"] = "Local" + + mock_response = Mock() + mock_response.content = "Budget itinerary" + + mock_llm = Mock() + mock_llm.invoke = Mock(return_value=mock_response) + + with patch('main.llm', mock_llm): + result = itinerary_agent(sample_trip_state) + + call_args = mock_llm.invoke.call_args[0][0] + prompt_content = call_args[0].content + assert "budget" in prompt_content.lower() + + def test_handles_missing_inputs(self, sample_trip_state, monkeypatch): + """Test itinerary_agent handles missing research/budget/local inputs.""" + sample_trip_state.pop("research", None) + sample_trip_state.pop("budget", None) + sample_trip_state.pop("local", None) + + mock_response = Mock() + mock_response.content = "Itinerary" + + mock_llm = Mock() + mock_llm.invoke = Mock(return_value=mock_response) + + with patch('main.llm', mock_llm): + result = itinerary_agent(sample_trip_state) + + assert result["final"] == "Itinerary" + diff --git a/backend/tests/test_api.py b/backend/tests/test_api.py new file mode 100644 index 0000000..58bd0b3 --- /dev/null +++ b/backend/tests/test_api.py @@ -0,0 +1,255 @@ +"""Integration tests for FastAPI endpoints.""" + +from unittest.mock import Mock, patch + +import pytest + +from main import TripRequest, TripResponse + + +class TestHealthEndpoint: + """Tests for GET /health endpoint.""" + + def test_health_endpoint(self, test_client): + """Test health endpoint returns correct response.""" + response = test_client.get("/health") + assert response.status_code == 200 + data = response.json() + assert data["status"] == "healthy" + assert data["service"] == "ai-trip-planner" + + +class TestFrontendEndpoint: + """Tests for GET / endpoint.""" + + def test_frontend_endpoint_exists(self, test_client): + """Test frontend endpoint returns file or message.""" + response = test_client.get("/") + assert response.status_code == 200 + # Either returns file or JSON message + if response.headers.get("content-type", "").startswith("text/html"): + assert len(response.content) > 0 + else: + data = response.json() + assert "message" in data + + +class TestPlanTripEndpoint: + """Tests for POST /plan-trip endpoint.""" + + def test_with_minimal_fields(self, test_client, sample_trip_request_minimal): + """Test plan_trip with only required fields.""" + def mock_graph_invoke(state): + return { + "final": "Test itinerary", + "tool_calls": [] + } + + with patch('main.build_graph') as mock_build: + mock_graph = Mock() + mock_graph.invoke = Mock(side_effect=mock_graph_invoke) + mock_build.return_value = mock_graph + + response = test_client.post("/plan-trip", json=sample_trip_request_minimal) + + assert response.status_code == 200 + data = response.json() + assert "result" in data + assert "tool_calls" in data + assert data["result"] == "Test itinerary" + + def test_with_all_fields(self, test_client, sample_trip_request): + """Test plan_trip with all optional fields.""" + sample_trip_request["session_id"] = "test-session-123" + sample_trip_request["user_id"] = "user-456" + sample_trip_request["turn_index"] = 1 + + def mock_graph_invoke(state): + return { + "final": "Complete itinerary", + "tool_calls": [ + {"agent": "research", "tool": "essential_info", "args": {}} + ] + } + + with patch('main.build_graph') as mock_build: + mock_graph = Mock() + mock_graph.invoke = Mock(side_effect=mock_graph_invoke) + mock_build.return_value = mock_graph + + response = test_client.post("/plan-trip", json=sample_trip_request) + + assert response.status_code == 200 + data = response.json() + assert data["result"] == "Complete itinerary" + assert len(data["tool_calls"]) == 1 + + def test_missing_destination(self, test_client): + """Test plan_trip validation error for missing destination.""" + invalid_request = { + "duration": "7 days" + } + + response = test_client.post("/plan-trip", json=invalid_request) + assert response.status_code == 422 # Validation error + + def test_missing_duration(self, test_client): + """Test plan_trip validation error for missing duration.""" + invalid_request = { + "destination": "Tokyo" + } + + response = test_client.post("/plan-trip", json=invalid_request) + assert response.status_code == 422 # Validation error + + def test_invalid_request_type(self, test_client): + """Test plan_trip with invalid data types.""" + invalid_request = { + "destination": 123, # Should be string + "duration": "7 days" + } + + response = test_client.post("/plan-trip", json=invalid_request) + assert response.status_code == 422 # Validation error + + def test_response_structure(self, test_client, sample_trip_request_minimal): + """Test that response matches TripResponse model.""" + def mock_graph_invoke(state): + return { + "final": "Itinerary", + "tool_calls": [ + {"agent": "research", "tool": "weather_brief", "args": {"destination": "Tokyo"}}, + {"agent": "budget", "tool": "budget_basics", "args": {"destination": "Tokyo", "duration": "7 days"}} + ] + } + + with patch('main.build_graph') as mock_build: + mock_graph = Mock() + mock_graph.invoke = Mock(side_effect=mock_graph_invoke) + mock_build.return_value = mock_graph + + response = test_client.post("/plan-trip", json=sample_trip_request_minimal) + + assert response.status_code == 200 + data = response.json() + + # Verify response structure + assert "result" in data + assert "tool_calls" in data + assert isinstance(data["result"], str) + assert isinstance(data["tool_calls"], list) + assert len(data["tool_calls"]) == 2 + + def test_empty_tool_calls(self, test_client, sample_trip_request_minimal): + """Test response when no tool calls are made.""" + def mock_graph_invoke(state): + return { + "final": "Itinerary without tools", + "tool_calls": [] + } + + with patch('main.build_graph') as mock_build: + mock_graph = Mock() + mock_graph.invoke = Mock(side_effect=mock_graph_invoke) + mock_build.return_value = mock_graph + + response = test_client.post("/plan-trip", json=sample_trip_request_minimal) + + assert response.status_code == 200 + data = response.json() + assert data["tool_calls"] == [] + + def test_missing_final_in_state(self, test_client, sample_trip_request_minimal): + """Test handling when final is missing from graph state.""" + def mock_graph_invoke(state): + return { + "tool_calls": [] + } + + with patch('main.build_graph') as mock_build: + mock_graph = Mock() + mock_graph.invoke = Mock(side_effect=mock_graph_invoke) + mock_build.return_value = mock_graph + + response = test_client.post("/plan-trip", json=sample_trip_request_minimal) + + assert response.status_code == 200 + data = response.json() + assert data["result"] == "" # Empty string when missing + + def test_with_optional_fields_none(self, test_client): + """Test plan_trip with None values for optional fields.""" + request = { + "destination": "Tokyo", + "duration": "7 days", + "budget": None, + "interests": None, + "travel_style": None + } + + def mock_graph_invoke(state): + return { + "final": "Itinerary", + "tool_calls": [] + } + + with patch('main.build_graph') as mock_build: + mock_graph = Mock() + mock_graph.invoke = Mock(side_effect=mock_graph_invoke) + mock_build.return_value = mock_graph + + response = test_client.post("/plan-trip", json=request) + + assert response.status_code == 200 + + def test_state_construction(self, test_client, sample_trip_request): + """Test that state is constructed correctly from request.""" + captured_state = {} + + def mock_graph_invoke(state): + nonlocal captured_state + captured_state = state.copy() + return { + "final": "Itinerary", + "tool_calls": [] + } + + with patch('main.build_graph') as mock_build: + mock_graph = Mock() + mock_graph.invoke = Mock(side_effect=mock_graph_invoke) + mock_build.return_value = mock_graph + + test_client.post("/plan-trip", json=sample_trip_request) + + # Verify state structure + assert "messages" in captured_state + assert "trip_request" in captured_state + assert "tool_calls" in captured_state + + # Verify trip_request contains all fields + trip_req = captured_state["trip_request"] + assert trip_req["destination"] == sample_trip_request["destination"] + assert trip_req["duration"] == sample_trip_request["duration"] + + def test_graph_invocation(self, test_client, sample_trip_request_minimal): + """Test that graph is invoked correctly.""" + graph_invoked = False + + def mock_graph_invoke(state): + nonlocal graph_invoked + graph_invoked = True + return { + "final": "Itinerary", + "tool_calls": [] + } + + with patch('main.build_graph') as mock_build: + mock_graph = Mock() + mock_graph.invoke = Mock(side_effect=mock_graph_invoke) + mock_build.return_value = mock_graph + + test_client.post("/plan-trip", json=sample_trip_request_minimal) + + assert graph_invoked + assert mock_build.called + diff --git a/backend/tests/test_graph.py b/backend/tests/test_graph.py new file mode 100644 index 0000000..b9ab557 --- /dev/null +++ b/backend/tests/test_graph.py @@ -0,0 +1,229 @@ +"""Integration tests for LangGraph workflow.""" + +from unittest.mock import Mock, patch + +import pytest + +from main import build_graph, research_agent, budget_agent, local_agent, itinerary_agent + + +class TestBuildGraph: + """Tests for build_graph function.""" + + def test_builds_graph_structure(self): + """Test that build_graph creates correct graph structure.""" + graph = build_graph() + assert graph is not None + + # Verify graph has nodes + nodes = graph.nodes + assert "research_node" in nodes + assert "budget_node" in nodes + assert "local_node" in nodes + assert "itinerary_node" in nodes + + def test_graph_has_correct_edges(self): + """Test that graph has correct edge connections.""" + graph = build_graph() + # Graph should have edges from START to all three agents + # and from all three agents to itinerary_node + # This is verified by successful execution + + +class TestGraphExecution: + """Tests for complete graph execution.""" + + def test_complete_workflow_execution(self, sample_trip_state, monkeypatch): + """Test complete workflow with mocked agents.""" + # Mock all agent functions to return predictable state updates + def mock_research_agent(state): + return { + "messages": [], + "research": "Mock research summary", + "tool_calls": [{"agent": "research", "tool": "essential_info", "args": {}}] + } + + def mock_budget_agent(state): + return { + "messages": [], + "budget": "Mock budget summary", + "tool_calls": [{"agent": "budget", "tool": "budget_basics", "args": {}}] + } + + def mock_local_agent(state): + return { + "messages": [], + "local": "Mock local summary", + "tool_calls": [{"agent": "local", "tool": "local_flavor", "args": {}}] + } + + def mock_itinerary_agent(state): + return { + "messages": [], + "final": "Mock complete itinerary" + } + + with patch('main.research_agent', mock_research_agent), \ + patch('main.budget_agent', mock_budget_agent), \ + patch('main.local_agent', mock_local_agent), \ + patch('main.itinerary_agent', mock_itinerary_agent): + + graph = build_graph() + initial_state = { + "messages": [], + "trip_request": sample_trip_state["trip_request"], + "tool_calls": [] + } + + result = graph.invoke(initial_state) + + # Verify all agents executed + assert "research" in result + assert "budget" in result + assert "local" in result + assert "final" in result + + # Verify tool_calls were aggregated + assert len(result.get("tool_calls", [])) == 3 + + # Verify final itinerary was created + assert result["final"] == "Mock complete itinerary" + + def test_parallel_agent_execution(self, sample_trip_state, monkeypatch): + """Test that research, budget, and local agents execute in parallel.""" + execution_order = [] + + def mock_research_agent(state): + execution_order.append("research") + return {"messages": [], "research": "Research", "tool_calls": []} + + def mock_budget_agent(state): + execution_order.append("budget") + return {"messages": [], "budget": "Budget", "tool_calls": []} + + def mock_local_agent(state): + execution_order.append("local") + return {"messages": [], "local": "Local", "tool_calls": []} + + def mock_itinerary_agent(state): + execution_order.append("itinerary") + return {"messages": [], "final": "Itinerary"} + + with patch('main.research_agent', mock_research_agent), \ + patch('main.budget_agent', mock_budget_agent), \ + patch('main.local_agent', mock_local_agent), \ + patch('main.itinerary_agent', mock_itinerary_agent): + + graph = build_graph() + initial_state = { + "messages": [], + "trip_request": sample_trip_state["trip_request"], + "tool_calls": [] + } + + graph.invoke(initial_state) + + # Verify itinerary runs after all three parallel agents + assert "itinerary" in execution_order + itinerary_index = execution_order.index("itinerary") + assert "research" in execution_order[:itinerary_index] + assert "budget" in execution_order[:itinerary_index] + assert "local" in execution_order[:itinerary_index] + + def test_state_propagation_to_itinerary(self, sample_trip_state, monkeypatch): + """Test that agent outputs propagate correctly to itinerary agent.""" + received_state = {} + + def mock_itinerary_agent(state): + nonlocal received_state + received_state = state.copy() + return {"messages": [], "final": "Itinerary"} + + def mock_research_agent(state): + return {"messages": [], "research": "Research output", "tool_calls": []} + + def mock_budget_agent(state): + return {"messages": [], "budget": "Budget output", "tool_calls": []} + + def mock_local_agent(state): + return {"messages": [], "local": "Local output", "tool_calls": []} + + with patch('main.research_agent', mock_research_agent), \ + patch('main.budget_agent', mock_budget_agent), \ + patch('main.local_agent', mock_local_agent), \ + patch('main.itinerary_agent', mock_itinerary_agent): + + graph = build_graph() + initial_state = { + "messages": [], + "trip_request": sample_trip_state["trip_request"], + "tool_calls": [] + } + + graph.invoke(initial_state) + + # Verify itinerary agent received all inputs + assert received_state.get("research") == "Research output" + assert received_state.get("budget") == "Budget output" + assert received_state.get("local") == "Local output" + + def test_tool_calls_aggregation(self, sample_trip_state, monkeypatch): + """Test that tool_calls from all agents are aggregated.""" + def mock_research_agent(state): + return { + "messages": [], + "research": "Research", + "tool_calls": [ + {"agent": "research", "tool": "essential_info", "args": {}} + ] + } + + def mock_budget_agent(state): + return { + "messages": [], + "budget": "Budget", + "tool_calls": [ + {"agent": "budget", "tool": "budget_basics", "args": {}}, + {"agent": "budget", "tool": "attraction_prices", "args": {}} + ] + } + + def mock_local_agent(state): + return { + "messages": [], + "local": "Local", + "tool_calls": [ + {"agent": "local", "tool": "local_flavor", "args": {}} + ] + } + + def mock_itinerary_agent(state): + return {"messages": [], "final": "Itinerary"} + + with patch('main.research_agent', mock_research_agent), \ + patch('main.budget_agent', mock_budget_agent), \ + patch('main.local_agent', mock_local_agent), \ + patch('main.itinerary_agent', mock_itinerary_agent): + + graph = build_graph() + initial_state = { + "messages": [], + "trip_request": sample_trip_state["trip_request"], + "tool_calls": [] + } + + result = graph.invoke(initial_state) + + # Verify all tool_calls were aggregated + tool_calls = result.get("tool_calls", []) + assert len(tool_calls) == 4 # 1 + 2 + 1 + + # Verify tool_calls from each agent + research_calls = [tc for tc in tool_calls if tc["agent"] == "research"] + budget_calls = [tc for tc in tool_calls if tc["agent"] == "budget"] + local_calls = [tc for tc in tool_calls if tc["agent"] == "local"] + + assert len(research_calls) == 1 + assert len(budget_calls) == 2 + assert len(local_calls) == 1 + diff --git a/backend/tests/test_retriever.py b/backend/tests/test_retriever.py new file mode 100644 index 0000000..940e9dc --- /dev/null +++ b/backend/tests/test_retriever.py @@ -0,0 +1,283 @@ +"""Unit tests for LocalGuideRetriever and _load_local_documents.""" + +import json +import os +from pathlib import Path +from unittest.mock import Mock, MagicMock, patch + +import pytest +from langchain_core.documents import Document + +from main import LocalGuideRetriever, _load_local_documents +from tests.fixtures.sample_data import SAMPLE_LOCAL_GUIDES + + +class TestLoadLocalDocuments: + """Tests for _load_local_documents helper function.""" + + def test_loads_valid_json(self, temp_local_guides_file): + """Test loading valid JSON file.""" + docs = _load_local_documents(temp_local_guides_file) + assert len(docs) == len(SAMPLE_LOCAL_GUIDES) + assert all(isinstance(doc, Document) for doc in docs) + + def test_handles_nonexistent_file(self, temp_nonexistent_file): + """Test handling of non-existent file.""" + docs = _load_local_documents(temp_nonexistent_file) + assert docs == [] + + def test_handles_malformed_json(self, temp_malformed_guides_file): + """Test handling of malformed JSON.""" + docs = _load_local_documents(temp_malformed_guides_file) + assert docs == [] + + def test_handles_empty_file(self, temp_empty_guides_file): + """Test handling of empty JSON array.""" + docs = _load_local_documents(temp_empty_guides_file) + assert docs == [] + + def test_filters_invalid_entries(self, tmp_path): + """Test that entries without city or description are filtered out.""" + invalid_data = [ + {"city": "Tokyo"}, # Missing description + {"description": "A guide"}, # Missing city + {"city": "Paris", "description": "Valid guide"}, # Valid + ] + guides_file = tmp_path / "guides.json" + guides_file.write_text(json.dumps(invalid_data)) + + docs = _load_local_documents(guides_file) + assert len(docs) == 1 + assert docs[0].metadata["city"] == "Paris" + + def test_extracts_metadata_correctly(self, temp_local_guides_file): + """Test that metadata is extracted correctly.""" + docs = _load_local_documents(temp_local_guides_file) + assert len(docs) > 0 + + # Check first document + doc = docs[0] + assert "city" in doc.metadata + assert "interests" in doc.metadata + assert "source" in doc.metadata + assert "City:" in doc.page_content + assert "Guide:" in doc.page_content + + def test_handles_missing_interests(self, tmp_path): + """Test handling of entries without interests field.""" + data = [{"city": "Tokyo", "description": "A guide"}] + guides_file = tmp_path / "guides.json" + guides_file.write_text(json.dumps(data)) + + docs = _load_local_documents(guides_file) + assert len(docs) == 1 + assert docs[0].metadata.get("interests") == [] + + +class TestLocalGuideRetrieverInitialization: + """Tests for LocalGuideRetriever initialization.""" + + def test_initializes_with_valid_file(self, temp_local_guides_file): + """Test initialization with valid JSON file.""" + retriever = LocalGuideRetriever(temp_local_guides_file) + assert not retriever.is_empty + assert len(retriever._docs) == len(SAMPLE_LOCAL_GUIDES) + + def test_initializes_with_empty_file(self, temp_empty_guides_file): + """Test initialization with empty file.""" + retriever = LocalGuideRetriever(temp_empty_guides_file) + assert retriever.is_empty + assert len(retriever._docs) == 0 + + def test_initializes_with_nonexistent_file(self, temp_nonexistent_file): + """Test initialization with non-existent file.""" + retriever = LocalGuideRetriever(temp_nonexistent_file) + assert retriever.is_empty + + def test_no_vectorstore_in_test_mode(self, temp_local_guides_file): + """Test that vectorstore is not created in TEST_MODE.""" + retriever = LocalGuideRetriever(temp_local_guides_file) + assert retriever._vectorstore is None + assert retriever._embeddings is None + + +class TestIsEmptyProperty: + """Tests for is_empty property.""" + + def test_returns_true_when_empty(self, temp_empty_guides_file): + """Test is_empty returns True for empty retriever.""" + retriever = LocalGuideRetriever(temp_empty_guides_file) + assert retriever.is_empty + + def test_returns_false_when_has_docs(self, temp_local_guides_file): + """Test is_empty returns False when documents are loaded.""" + retriever = LocalGuideRetriever(temp_local_guides_file) + assert not retriever.is_empty + + +class TestRetrieveMethod: + """Tests for retrieve method.""" + + def test_returns_empty_when_rag_disabled(self, temp_local_guides_file, monkeypatch): + """Test retrieve returns empty list when RAG is disabled.""" + import main + monkeypatch.setattr(main, "ENABLE_RAG", False) + # Need to create new retriever after patching ENABLE_RAG + retriever = LocalGuideRetriever(temp_local_guides_file) + results = retriever.retrieve("Tokyo", None) + assert results == [] + + def test_returns_empty_when_empty(self, temp_empty_guides_file, monkeypatch): + """Test retrieve returns empty list when retriever is empty.""" + monkeypatch.setenv("ENABLE_RAG", "1") + retriever = LocalGuideRetriever(temp_empty_guides_file) + results = retriever.retrieve("Tokyo", None) + assert results == [] + + def test_keyword_fallback_matches_city(self, temp_local_guides_file, monkeypatch): + """Test keyword fallback matches city names.""" + monkeypatch.setenv("ENABLE_RAG", "1") + retriever = LocalGuideRetriever(temp_local_guides_file) + results = retriever.retrieve("Tokyo", None, k=5) + + # Should return Tokyo entries + assert len(results) > 0 + assert all("Tokyo" in r["content"] or r["metadata"]["city"] == "Tokyo" + for r in results) + + def test_keyword_fallback_filters_by_interests(self, temp_local_guides_file, monkeypatch): + """Test keyword fallback filters by interests.""" + monkeypatch.setenv("ENABLE_RAG", "1") + retriever = LocalGuideRetriever(temp_local_guides_file) + results = retriever.retrieve("Tokyo", "food", k=5) + + # Should prioritize entries with food interest + assert len(results) > 0 + # Check that results have food-related content or interests + food_results = [r for r in results if "food" in r["content"].lower() or + any("food" in str(i).lower() for i in r["metadata"].get("interests", []))] + assert len(food_results) > 0 + + def test_keyword_fallback_respects_k_parameter(self, temp_local_guides_file, monkeypatch): + """Test that k parameter limits results.""" + monkeypatch.setenv("ENABLE_RAG", "1") + retriever = LocalGuideRetriever(temp_local_guides_file) + results = retriever.retrieve("Tokyo", None, k=2) + assert len(results) <= 2 + + def test_keyword_fallback_returns_empty_for_no_match(self, temp_local_guides_file, monkeypatch): + """Test keyword fallback returns empty for non-matching destination.""" + monkeypatch.setenv("ENABLE_RAG", "1") + retriever = LocalGuideRetriever(temp_local_guides_file) + results = retriever.retrieve("NonexistentCity", None, k=5) + assert results == [] + + def test_keyword_fallback_scores_correctly(self, temp_local_guides_file, monkeypatch): + """Test keyword fallback scoring logic.""" + monkeypatch.setenv("ENABLE_RAG", "1") + retriever = LocalGuideRetriever(temp_local_guides_file) + results = retriever.retrieve("Tokyo", "food", k=5) + + # Results should be sorted by score (descending) + if len(results) > 1: + scores = [r["score"] for r in results] + assert scores == sorted(scores, reverse=True) + + # All results should have score > 0 + assert all(r["score"] > 0 for r in results) + + def test_keyword_fallback_handles_comma_separated_interests(self, temp_local_guides_file, monkeypatch): + """Test keyword fallback handles comma-separated interests.""" + monkeypatch.setenv("ENABLE_RAG", "1") + retriever = LocalGuideRetriever(temp_local_guides_file) + results = retriever.retrieve("Tokyo", "food, culture", k=5) + + assert len(results) > 0 + # Should match entries with either food or culture + + def test_keyword_fallback_handles_partial_city_match(self, temp_local_guides_file, monkeypatch): + """Test keyword fallback handles partial city name matches.""" + monkeypatch.setenv("ENABLE_RAG", "1") + retriever = LocalGuideRetriever(temp_local_guides_file) + # Test with "Tokyo, Japan" should match "Tokyo" + results = retriever.retrieve("Tokyo, Japan", None, k=5) + assert len(results) > 0 + + def test_vector_search_path_when_available(self, temp_local_guides_file, monkeypatch): + """Test vector search path when vectorstore is available.""" + import main + monkeypatch.setattr(main, "ENABLE_RAG", True) + + # Mock vectorstore + mock_vectorstore = MagicMock() + mock_doc = Document( + page_content="City: Tokyo\nInterests: food\nGuide: Test guide", + metadata={"city": "Tokyo", "interests": ["food"], "score": 0.95} + ) + mock_retriever = MagicMock() + mock_retriever.invoke = Mock(return_value=[mock_doc]) + mock_vectorstore.as_retriever = Mock(return_value=mock_retriever) + + retriever = LocalGuideRetriever(temp_local_guides_file) + retriever._vectorstore = mock_vectorstore + + results = retriever.retrieve("Tokyo", "food", k=3) + + assert len(results) > 0 + assert results[0]["content"] == mock_doc.page_content + assert results[0]["score"] == 0.95 + + def test_falls_back_to_keywords_on_vector_error(self, temp_local_guides_file, monkeypatch): + """Test that vector search errors fall back to keyword search.""" + import main + monkeypatch.setattr(main, "ENABLE_RAG", True) + + # Mock vectorstore that raises exception + mock_vectorstore = MagicMock() + mock_vectorstore.as_retriever = Mock(side_effect=Exception("Vector search failed")) + + retriever = LocalGuideRetriever(temp_local_guides_file) + retriever._vectorstore = mock_vectorstore + + results = retriever.retrieve("Tokyo", None, k=3) + + # Should fall back to keyword search + assert isinstance(results, list) + # May be empty if no matches, but should not raise exception + + +class TestKeywordFallbackScoring: + """Tests for _keyword_fallback scoring logic.""" + + def test_city_match_scores_higher(self, temp_local_guides_file, monkeypatch): + """Test that city matches score higher than non-matches.""" + monkeypatch.setenv("ENABLE_RAG", "1") + retriever = LocalGuideRetriever(temp_local_guides_file) + + tokyo_results = retriever.retrieve("Tokyo", None, k=10) + paris_results = retriever.retrieve("Paris", None, k=10) + + # Tokyo results should have Tokyo entries with higher scores + if tokyo_results: + assert any("Tokyo" in r["metadata"]["city"] for r in tokyo_results) + + # Paris results should have Paris entries + if paris_results: + assert any("Paris" in r["metadata"]["city"] for r in paris_results) + + def test_interest_matching_adds_to_score(self, temp_local_guides_file, monkeypatch): + """Test that matching interests increases score.""" + monkeypatch.setenv("ENABLE_RAG", "1") + retriever = LocalGuideRetriever(temp_local_guides_file) + + # Get results with and without interests + results_with_interests = retriever.retrieve("Tokyo", "food", k=10) + results_without_interests = retriever.retrieve("Tokyo", None, k=10) + + # Results with matching interests should be prioritized + if results_with_interests: + # Top results should have food-related content + top_result = results_with_interests[0] + assert ("food" in top_result["content"].lower() or + any("food" in str(i).lower() for i in top_result["metadata"].get("interests", []))) + diff --git a/backend/tests/test_tools.py b/backend/tests/test_tools.py new file mode 100644 index 0000000..f69e42f --- /dev/null +++ b/backend/tests/test_tools.py @@ -0,0 +1,245 @@ +"""Unit tests for tool functions.""" + +import pytest +from unittest.mock import patch, MagicMock + +from main import ( + essential_info, + budget_basics, + local_flavor, + day_plan, + weather_brief, + visa_brief, + attraction_prices, + local_customs, + hidden_gems, + travel_time, + packing_list, + _with_prefix, + _compact +) + + +class TestEssentialInfo: + """Tests for essential_info tool.""" + + def test_with_search_api_success(self, mock_search_api_success): + """Test essential_info when search API returns results.""" + result = essential_info.invoke({"destination": "Tokyo"}) + assert "Tokyo essentials" in result + assert len(result) > 0 + + def test_with_search_api_failure(self, mock_search_api_failure, mock_llm_fallback): + """Test essential_info falls back to LLM when search API fails.""" + result = essential_info.invoke({"destination": "Tokyo"}) + assert "LLM fallback" in result or len(result) > 0 + + def test_query_construction(self, mock_search_api_success): + """Test that query includes expected terms.""" + essential_info.invoke({"destination": "Paris"}) + # Verify the mock was called (indirectly through _search_api) + assert True # Mock ensures correct query format + + +class TestBudgetBasics: + """Tests for budget_basics tool.""" + + def test_with_duration(self, mock_search_api_success): + """Test budget_basics with duration parameter.""" + result = budget_basics.invoke({"destination": "Tokyo", "duration": "7 days"}) + assert "Tokyo budget" in result + assert "7 days" in result + + def test_fallback_behavior(self, mock_search_api_failure, mock_llm_fallback): + """Test budget_basics falls back to LLM.""" + result = budget_basics.invoke({"destination": "Paris", "duration": "5 days"}) + assert len(result) > 0 + + +class TestLocalFlavor: + """Tests for local_flavor tool.""" + + def test_with_interests(self, mock_search_api_success): + """Test local_flavor with interests parameter.""" + result = local_flavor.invoke({"destination": "Tokyo", "interests": "food, culture"}) + assert "Tokyo" in result + assert "food" in result or "culture" in result + + def test_without_interests(self, mock_search_api_success): + """Test local_flavor defaults to 'local culture' when interests not provided.""" + result = local_flavor.invoke({"destination": "Paris"}) + assert "Paris" in result + + def test_fallback_behavior(self, mock_search_api_failure, mock_llm_fallback): + """Test local_flavor falls back to LLM.""" + result = local_flavor.invoke({"destination": "Tokyo", "interests": "art"}) + assert len(result) > 0 + + +class TestDayPlan: + """Tests for day_plan tool.""" + + def test_day_number_handling(self, mock_search_api_success): + """Test day_plan with different day numbers.""" + result = day_plan.invoke({"destination": "Tokyo", "day": 1}) + assert "Day 1" in result + assert "Tokyo" in result + + def test_multiple_days(self, mock_search_api_success): + """Test day_plan with different day numbers.""" + result1 = day_plan.invoke({"destination": "Paris", "day": 1}) + result2 = day_plan.invoke({"destination": "Paris", "day": 3}) + assert "Day 1" in result1 + assert "Day 3" in result2 + + def test_fallback_behavior(self, mock_search_api_failure, mock_llm_fallback): + """Test day_plan falls back to LLM.""" + result = day_plan.invoke({"destination": "Tokyo", "day": 2}) + assert len(result) > 0 + + +class TestWeatherBrief: + """Tests for weather_brief tool.""" + + def test_basic_functionality(self, mock_search_api_success): + """Test weather_brief returns formatted result.""" + result = weather_brief.invoke({"destination": "Tokyo"}) + assert "Tokyo weather" in result + + def test_fallback_behavior(self, mock_search_api_failure, mock_llm_fallback): + """Test weather_brief falls back to LLM.""" + result = weather_brief.invoke({"destination": "Paris"}) + assert len(result) > 0 + + +class TestVisaBrief: + """Tests for visa_brief tool.""" + + def test_basic_functionality(self, mock_search_api_success): + """Test visa_brief returns formatted result.""" + result = visa_brief.invoke({"destination": "Tokyo"}) + assert "Tokyo visa" in result + + def test_fallback_behavior(self, mock_search_api_failure, mock_llm_fallback): + """Test visa_brief falls back to LLM.""" + result = visa_brief.invoke({"destination": "Paris"}) + assert len(result) > 0 + + +class TestAttractionPrices: + """Tests for attraction_prices tool.""" + + def test_with_attractions_list(self, mock_search_api_success): + """Test attraction_prices with specific attractions.""" + result = attraction_prices.invoke({"destination": "Tokyo", "attractions": ["Tokyo Tower", "Senso-ji"]}) + assert "Tokyo attraction prices" in result + + def test_without_attractions(self, mock_search_api_success): + """Test attraction_prices defaults to 'popular attractions'.""" + result = attraction_prices.invoke({"destination": "Paris"}) + assert "Paris" in result + + def test_fallback_behavior(self, mock_search_api_failure, mock_llm_fallback): + """Test attraction_prices falls back to LLM.""" + result = attraction_prices.invoke({"destination": "Tokyo", "attractions": ["Museum"]}) + assert len(result) > 0 + + +class TestLocalCustoms: + """Tests for local_customs tool.""" + + def test_basic_functionality(self, mock_search_api_success): + """Test local_customs returns formatted result.""" + result = local_customs.invoke({"destination": "Tokyo"}) + assert "Tokyo customs" in result + + def test_fallback_behavior(self, mock_search_api_failure, mock_llm_fallback): + """Test local_customs falls back to LLM.""" + result = local_customs.invoke({"destination": "Paris"}) + assert len(result) > 0 + + +class TestHiddenGems: + """Tests for hidden_gems tool.""" + + def test_basic_functionality(self, mock_search_api_success): + """Test hidden_gems returns formatted result.""" + result = hidden_gems.invoke({"destination": "Tokyo"}) + assert "Tokyo hidden gems" in result + + def test_fallback_behavior(self, mock_search_api_failure, mock_llm_fallback): + """Test hidden_gems falls back to LLM.""" + result = hidden_gems.invoke({"destination": "Paris"}) + assert len(result) > 0 + + +class TestTravelTime: + """Tests for travel_time tool.""" + + def test_with_default_mode(self, mock_search_api_success): + """Test travel_time with default 'public' mode.""" + result = travel_time.invoke({"from_location": "Tokyo Station", "to_location": "Shibuya"}) + assert "Tokyo Station" in result + assert "Shibuya" in result + + def test_with_custom_mode(self, mock_search_api_success): + """Test travel_time with custom transport mode.""" + result = travel_time.invoke({"from_location": "Paris", "to_location": "Lyon", "mode": "train"}) + assert "Paris" in result + assert "Lyon" in result + + def test_fallback_behavior(self, mock_search_api_failure, mock_llm_fallback): + """Test travel_time falls back to LLM.""" + result = travel_time.invoke({"from_location": "A", "to_location": "B", "mode": "car"}) + assert len(result) > 0 + + +class TestPackingList: + """Tests for packing_list tool.""" + + def test_with_activities(self, mock_search_api_success): + """Test packing_list with specific activities.""" + result = packing_list.invoke({"destination": "Tokyo", "duration": "7 days", "activities": ["hiking", "beach"]}) + assert "Tokyo packing" in result + + def test_without_activities(self, mock_search_api_success): + """Test packing_list defaults to 'sightseeing'.""" + result = packing_list.invoke({"destination": "Paris", "duration": "5 days"}) + assert "Paris" in result + + def test_fallback_behavior(self, mock_search_api_failure, mock_llm_fallback): + """Test packing_list falls back to LLM.""" + result = packing_list.invoke({"destination": "Tokyo", "duration": "7 days", "activities": ["sightseeing"]}) + assert len(result) > 0 + + +class TestHelperFunctions: + """Tests for helper functions.""" + + def test_with_prefix(self): + """Test _with_prefix adds prefix correctly.""" + result = _with_prefix("Test", "content") + assert result.startswith("Test:") + assert "content" in result + + def test_with_prefix_empty_prefix(self): + """Test _with_prefix handles empty prefix.""" + result = _with_prefix("", "content") + assert result == "content" + + def test_compact_truncates_long_text(self): + """Test _compact truncates text at word boundaries.""" + long_text = "word " * 100 # Much longer than 200 chars + result = _compact(long_text, limit=50) + assert len(result) <= 50 + + def test_compact_preserves_short_text(self): + """Test _compact preserves short text.""" + short_text = "Short text" + result = _compact(short_text, limit=200) + assert result == short_text + + def test_compact_handles_empty(self): + """Test _compact handles empty strings.""" + assert _compact("") == "" + diff --git a/context/walmart_app_store_reviews.csv b/context/walmart_app_store_reviews.csv new file mode 100644 index 0000000..78e819a --- /dev/null +++ b/context/walmart_app_store_reviews.csv @@ -0,0 +1,1082 @@ +reviewId,content,score,thumbsUpCount,at,replyContent,repliedAt,appName +abe39fc5-f518-4271-82ad-22d7bc189315,"Fantastic app! It's so easy to use, and I rarely have issues with the app itself. Ordering online is so easy. And if there's ever an issue, refunds are a breeze. I just wish I could choose which list favorite items go to. I like that when I am in the store, I can look up an item, and it will tell me what aisle the item is in. No need to search for an employee!",4,153,1722395439000,We value our customers review. Please provide us with more info at https://survey.walmart.com/app,1722473249000,Walmart +39f4ad11-34e1-401a-a93a-5fa98e98393e,"Walmart Pay was finally going to be helpful. I occasionally need a physical receipt. Then, the other day, I got one with just using Walmart pay. When it kept happening, I was thrilled thinking this was a permanent option. Having both a physical and digital receipt. I'd never have to worry about needing a physical receipt again. Then, they erased the feature, not long after. Now, when I need a physical receipt, I have to remember to dig out my credit card. I want that feature back!",3,18,1723259261000,"Madison, we understand how crucial it is to manage your receipts effectively, and we value your input. Please share them with us here: https://survey.walmart.com/app",1723259530000,Walmart +30ad935c-da9d-4b61-9eaa-428bd0392967,"I've been using this app for years and it has major issues. With all the money Walmart has, they can't hire someone to fix it? Some items are obviously WAY overpriced, and clearly it's an error. Items are often listed as in stock, but they are not; and some shipping items never arrive, because they claim the item is delayed, but they often don't tell you that your order was actually canceled. I really appreciate being able to order online, but Walmart needs to fix these issues.",3,68,1722433575000,"We understand the frustration with app issues, incorrect pricing, and order inconsistencies. Your concerns are important to us, and we're committed to improving the app and ensuring accurate information and reliable delivery. Please tell us more details at https://www.walmart.com/help",1722446574000,Walmart +360e62e4-7dc7-4069-bb35-0ba9dc581b96,"apps design is pretty good. But I can't give 5 stars because of its seriously annoying technical issues. It starts to stutter after using it for only a few minutes and will eventually lock up forcing me to restart the app. It's not just a problem on my phone, I've had it happen on several others now. It has had this problem for a long time too, I really wish they'd figure out a solution!",3,11,1723208146000,We’re glad you like the app’s design but understand your frustration with the technical issues. Please share more info with us at https://www.walmart.com/help for assistance.,1723210535000,Walmart +e9eca83d-26ee-44be-8047-d097234bca01,"The main feature I use on this app gives me the most problems. I've said this before and I'll say it again. The 'list' feature used to be so nice some years back, but now it glitches when you're just scrolling through or try to remove an item. It would also be nice if they brought back the ability to drag items to adjust the order you want them in. It used to be so nice to be able to add things to my list throughout the week, then just drag them into the order according to aisle numbers.",3,9,1723243130000,"Your input is valuable to us. To get this looked into further, please add additional details at: https://survey.walmart.com/app",1723248612000,Walmart +df522eff-eaa7-4b0d-8883-ce46dcb38742,"Scan and Go was a complete waste of my time. I thought it was like the Sam's Club version where the entire checkout is on your phone. So, when I scanned my items to check out, I then had to go find an open register. Then the register called for associate assistance. When I flagged one down, she had no idea what she was supposed to do, so left to find another associate. At this point, I was frustrated, so abandoned my items and left. It would have been faster to scan with the register.",2,28,1722582426000,"Thanks, Brad, for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. Please provide us with more info at https://survey.walmart.com/app",1695336407000,Walmart +bb4000b3-b9d6-41ca-8e42-4dd69d9b0588,"This has happened to me twice now: I set an appointment through the app to get my oil changed, drive down to the store, wait in line to get checked in, only to find out that they don't have the right oil filter for my car. This seems like an easy thing to check when you check in. Edit: went to that website, couldn't find option for ""stop app from wasting people's time"".",1,13,1722402079000,Thank you for sharing your experience. Please contact us at walmart.com/help so we can resolve this issue promptly.,1722399094000,Walmart +9dc2d957-2440-4b23-b3ee-c0903f32e373,"The app is convenient for pickups and online shopping, however you could have the absolute best internet connection in the world and the app still will not load and say there's no internet connection. Every single time. It's super frustrating when you have numerous things to do and don't have time to run into the store to grab what you need and you can't rely on the app to do a pick up order.",1,15,1722893684000,"We’re here for you. Please reach out at https://www.walmart.com/help, so we can help resolve this.",1722896911000,Walmart +8feea274-e29b-4ed8-902a-3a2c0c4df950,App is inconsistent. Doesn't matter what I'm searching for I'm not always allowed to filter my search. I want a filter every search I do but it is a crapshoot whether I am able to even filter anything or if I have to go through Page after page after page of products to try and find what I want. You would think with how much money Walmart has to put towards its competition with Amazon online they were able to at least get the app right.,1,21,1722564209000,Your insights are crucial for our continuous improvement. Please reach out to https://survey.walmart.com/app with more details.,1722564785000,Walmart +e7ea580f-0443-45b5-9683-f05fe149ffb9,"has been very slow, flips to other screens, search very hard to do. Happens during shopping can not recreate for developer to see app is usually pretty fast. No worries. Leaving my review as is, need to understand, if item states shipping arrives 3days, and when I go to pay states arrives Aug 22nd, what happened, I personnelly have not uncountered this before, always matched. Could not find a way to notify Walmart directly with this. Needed this product by Monday. Tuesday latest.",3,11,1722702162000,We'd like to look into this for you. Please contact us at walmart.com/help,1722644255000,Walmart +f06c914e-a2ab-4439-a8d5-ca42d74594ac,For almost a year I've been using the Walmart app to order my groceries and really love it! Unfortunately for the past week I am unable to buy bottled water for delivery. It doesn't seem to be a stock issue since the same water is available for pickup. Will be going back to my previous provider since they still deliver bottled water. Would have been nice if Walmart actually alerted me of this instead of spending time with customer service.,1,8,1722841626000,"Omi, we understand your concerns. Let's work together to understand what's causing this. Please click on this link to provide more details: https://www.walmart.com/help",1722842915000,Walmart +84af81cf-1e21-4c0c-8195-0633d5eeaadc,"when I make a return, I usually am spending the refund on the same trip back to the store. I tend to always just do a refund to store credit to avoid having to wait for the bank transactions to come back. is there any chance to avoid wasting gift cards that you can allow a used gift card to be loaded with a refund so that I can just keep one in my wallet for that purpose. I just hate throwing them away every time :) customer service at my store is fantastic by the way",2,7,1723093652000,"Daniel, we acknowledge your suggestion. Please contact us at https://www.walmart.com/help.",1723097392000,Walmart +f9b94cf6-2497-4f5d-8811-66864b916790,"This app is really frustrating. Normally they allow W+ to deliver on items $25 and above. Today it's charging me, a W+ member, delivery fees($6.99) on $32(delivery) + $16 (free shipping) when I'm checking out both together. This economy is bad enough & we shouldn't be forced to make purchases over $35 for W+ delivery. They should calculate both carts combined for the minimum.",1,6,1723202204000,Thanks for bringing this to our attention. Please reach out to us to clarify your charges and ensure you're getting the benefits of your Walmart+ membership at https://www.walmart.com/help,1723202573000,Walmart +c1858691-d58c-4269-a341-c1f3e0790d95,"Not a bad app it just needs fine-tuning, better user interface/navigational functionality throughout the app. Also I would suggest a way to sort my purchase history based on my method of payment, also when browsing manufacturer offers for Walmart cash there needs to be something I can push to accept all offers because it can take hours trying to make sure I scroll and look at every offer available to check it one box at a time.",3,7,1723096158000,"Justin, thanks for sharing your thoughts on sorting purchase history and streamlining offers. You can connect with us at https://survey.walmart.com/app for our specialists to review.",1723097053000,Walmart +769b789f-1c8b-4c7b-b249-3103b51a95ad,"Apparently there is a system outage currently going on with the app when trying to check out. Only suggestions from customers support is to uninstall and install the app again. After several attempts, the issue still remains. I believe the app update on 7/31/24 has unpatched glitches and is responsible for all of the current problems being experienced nationwide.",1,8,1723057849000,Improving your experience is our goal. Contact us at walmart.com/help for further assistance.,1723060209000,Walmart +21e73474-2d88-422b-b763-83b0a4a50977,I was charged TWICE for the monthly membership fee. Customer Service was no assistance. Escalated my call to the Supervisor. What I was told is that they charged me the current month (August) and placed a hold in the same amount. Come September they would then deduct the payment from my account and the duplicate charge (for the HOLD) would possibly still be there. I cancelled the service today and will not do business again with Walmart. Cheap isn't so cheap when you are charged twice.,1,1,1722734279000,,,Walmart +8156f4a7-b41b-4bc2-b946-8110053630c8,"Great service with delivery, no charge, an optional tip to the delivery person (please do do that), and for the most part pretty accurate. I say that knowing that I have put the wrong thing in my cart occasionally. **However, I wish these big box stores would dump the 3rd party overpriced products. Shouldn't there be some sort of limit to how much they can price an item over the common retail price? How many have ordered something not seeing the price & no returns on 1 $40 bottle of juice? BS**",4,3,1722364596000,It's great to hear you enjoyed the delivery service. Your thoughts are appreciated. We encourage you to share more details through the link at https://survey.walmart.com/app.,1722474604000,Walmart +b5fd5aea-4908-44a8-8a85-0d2c5ded4f21,"You know what?, if it wasn't for me needing delivery so bad every month because I don't have a car, I would cancel my membership and be done with walmart completely. Everytime I order delivery now, it's either delayed, items missing, items damaged, or they charge me too much (charged me 2x) and I have to call and complain everytime. Another thing about the app. Fix the payments when I make an order then leave the checkout page to go add something else, it glitches the payments. Have to restart",2,22,1722711032000,We've noted your experience and would like to delve deeper into it. Please get in touch with us at walmart.com/help.,1722711389000,Walmart +260fce0e-87e8-4c4e-b5c1-ffa46791cfa9,"I have used this app religiously for years now and up until a few days ago I've never had an issue. Now, I cannot scan barcodes. It will not work no matter what I try. I've checked the permissions, there's good lighting, the barcode isn't blurry. Like I said, I've used this a million times in the past. I can pull up the barcode scan page, and it acts like it wants to scan it, but when it goes to pull up the price, it just loads and doesn't go no where. I'm using a Samsung galaxy s20 ultra",2,30,1721721551000,,,Walmart +7a85fd88-52fd-4469-82e8-e8d5e59f85a7,"Please fix the app! I can't use the scanner, the app freezes several times while trying to fill the cart, search for items, checking out! The same trying to use it in store. Can't search by the isle, can't scan. I order tea by the bottles. Walmart app will not work . App freezes constantly! You can't get finished with a order without it freezing at least three times before actually placing it. The app is terrible!!!",1,34,1722205574000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your issue with our App Development Team. Please provide with more info at https://survey.walmart.com/app,1672079255000,Walmart +dda02644-dd07-460a-b665-cedf559250a3,"""We're sorry. we're unable to load your cart"". Can't order if I can't load my cart. The option to filter disappears sometimes. If I can't filter out third party sellers forget it. Otherwise I love it. better than going to the store. only bug is sometimes it scrolls up while you're trying to scroll down and read something. I bet they do this so you take more look at the items j/k",2,51,1721943466000,"Glad to hear you're loving the app! As for those sneaky scrolls, we promise it's not intentional—must be a case of tech shenanigans! We'll look into it. Kindly share more info with us at https://survey.walmart.com/app",1718109298000,Walmart +51a62025-e009-4ea6-b229-d50658089aa5,"Watch your prices between the item description and the check out cart. I found an item marked down to $6 from $17 and put 4 in my cart. Went to my cart to find they were trying to charge me $39 each item. Talked to customer service and got told they would take my word for it but they deleted the items from my cart and I couldn't find it again to add back. So instead of honoring the price, they just took it all down and left me with nothing in return. Not impressed.",1,27,1722236016000,Thank you for bringing this to our attention. Please connect with us at walmart.com/help for further assistance. We aim to resolve this matter swiftly.,1722395558000,Walmart +b15e0246-a4a4-45a9-86d8-8d9686ea5cf5,"lots of products are horribly misclassified. The search is sloppy. searches for vegan products usually include meat in the results. It frequently invites me to rate products, but most of the time is days, ""something went wrong"" and won't accept the review. I like shopping online, but Walmart really needs to step up their game. With all the AI tools available, the product classification could be much better.",2,37,1721607074000,,,Walmart +546be368-1dbc-4a06-a3b5-d62ffbe73cbc,"I've ordered several times from Walmart & I always say it's my last time bc there's frequently an issue. My biggest problem is not being able to make substitutions easily for items that are out of stock. It's frustrating to me when the website says an item is in stock but it's magically sold out when the shopper is fulfilling the order. If that happened occasionally, I could understand, but it happens almost every time I place an order. It's inconvenient & a hassle. Instacart is better.",2,50,1721952917000,"Julie, we're committed to ensuring accurate stock information on our website. Reach out to us at: https://www.walmart.com/help",1722400946000,Walmart +b35c7942-ba42-40d6-b0a0-85365896dd8f,It's ok sometimes. I just don't like that they constantly tell you they're out of stock. Plus they need to do a better option for substitutions to where you shouldn't have to go through the entire order. just click on only the ones you want. Sometimes my orders get mixed up with other products but they will refund you if you contact them.,4,0,1723370813000,"Thanks for sharing your thoughts! We’re always working on making stock updates and substitutions even smoother. If you have any more thoughts to share or need assistance, we’re here to help at https://www.walmart.com/help",1723378756000,Walmart +5865b554-4080-4294-b9ce-75e3aa857b41,"Problems with unavailable merch showing in stock - unable to simply transfer order to nearby stores because they also show unavailable things in stock. I get that its a lot of stock to manage, but inventory is always inaccurate. App design is fine - I'd rather just use a website for curbside pickup, and Walmart wont allow anything but the app for such. Will delete as soon as I can actually fulfill the order, which may be much longer than anticipated.",1,1,1723255665000,We value your review and will look into this for you. Please contact us at walmart.com/help,1723256608000,Walmart +572686c0-82c2-4eab-ac5c-23eef937c0ea,"Update: No one at Walmart com will help with this issue. A rep said the Walmart app issues are handled separately, said someone would contact me in 24 hours. Nope. The price scanner has worked great for years. This week it stopped working. Customer service has thus far not been able to help me get it fixed. I scan an item's upc code and it appears to be retrieving the price, but never displays it. I tried deleting the app and reinstalling; still not working.",1,82,1721638297000,"We’re here for you. Please reach out at https://www.walmart.com/help, so we can help resolve this.",1721124914000,Walmart +3c39ee74-796c-43d7-bfa5-2786d3ba97a2,"They stay trying to scam you. One second something is $15 then by the time you go to check out its now all of a sudden a quick price change to to $50! This just happened. AGAIN. They keep playing with the prices online, double check them before you pay because the price it was when you added to cart will NOT be the same price by the time you go check out. They know most folks aren't going to recheck the price for something wildly unexpected like that & end up getting scammed. Target would never.",1,14,1722725868000,"That sounds really frustrating. We’re working constantly to ensure price consistency and transparency. For immediate help or to discuss this further, please reach out here: https://www.walmart.com/help",1722727664000,Walmart +d6ee6087-9cd6-4419-8672-be77970f33fe,"After the new design, I can't use the scanner function in the store. It's always ""cannot find a match"" even if I nanually entered the barcode! They also removed all the price checker in the store. What a mess did you do in your App just to incorporate Walmart+ with huge membership fee. Even more expensive than Sam's Club and Costco membership! Fix your App! Everything in your App is a mess right now! I can't even search In-store items and locate the aisle.",1,71,1721437555000,,,Walmart +43ade34a-71de-416f-a90c-697552c28101,"Sometimes the store location for pickup changes- based on where you physically are while using the app, perhaps. At least 4x this resulted in a pickup order being placed far from my home. then I have to cancel it, wait for a refund and either replace the order or shop it myself. the app should have an ""are you sure?"" message before finalizing pick up orders at the non-defsult store. Also the default store in my account should never change unless I do it manually.",3,31,1722147002000,"Your suggestion for the app is valuable, Melissa. Please share them with us at: https://survey.walmart.com/app",1722404318000,Walmart +805c5c56-b683-49cc-872d-eb542519f977,"App sucks. When an item is out of stock, it suggests to substitute a completely different item or gives not substitution option, at all. Can not edit shipping list, in either case, to get a similar item or a different brand. Corporate keeps saying there's an option & apologizes, but it doesn't & nothing gets fixed on the app.",2,4,1721711751000,,,Walmart +c82fe95f-2834-460f-b487-8d8c97f6bffe,"Works great but spammy spammy spammy notifications. Even though I've turned off all notifications other than related to telling me about orders being ready, it still tells me anytime I have something in the cart that I have not checked out. Recently, it has even started telling me that I LOOKED at something and should buy it. I'll buy it if I want it. I don't need a three-year-old nagging me about getting it now now now!",2,0,1722719656000,"Glad the app works well, but those extra notifications sound pesky! We'd like to learn more about them, Cindy. Please share more info with us at https://survey.walmart.com/app",1722720809000,Walmart +de7421a0-8646-4b1a-bada-8ad1a56e41ba,"This app sucks and now I will never be going shopping at Walmart again. I canceled an online order for food with a debit card same one I have canceled with before and always got my money back within hours but now I have to wait 2 weeks. Don't be messing with people's money! I'll be going to Winco now they have a better meat selection, they are open 24/7, and cheaper.",1,2,1722712243000,"We'd like to dive deeper into the issue you mentioned, Angeleia. Please reach us at https://www.walmart.com/help for assistance.",1722714337000,Walmart +980a586f-eec8-4448-93e0-8e3fffc3e136,It is a good app. I find it difficult adding or removing items before the pay window. Or putting any messages on the products themselves. Like for example substitute items you can't change the amount to purchase instead of the original amount I ordered on a different product.,4,1,1722569475000,"We value our customers review. Please provide us with more info at https://survey.walmart.com/app +",1722570588000,Walmart +7f6d4642-8f2c-4095-a9d0-e8aa764a3cb6,I like the service and convenience of delivery but have had issues with the delivery part broken eggs missing items to the point of having to be refunded over 50 dollars at times. Most deliveries are fine but lately it has been a problem. I live in assisted living and I can't get out to go grocery shopping so I depend on this service for my groceries.,3,0,1722551943000,"We're glad you find the service convenient, though the recent issues are concerning. For smoother deliveries and support, please reach out here: https://www.walmart.com/help",1722553271000,Walmart +14532e71-e0d3-41a0-a546-fe1ca49ba5dd,"App works. But the pickup and delivery system is terrible. Even when I have substitutions set to next best similar item,it just gets put as not available even though there are so many things it could have been substituted with. And when I do pick a specific thing to substitute it with because of that,9/10 it's the same outcome. And this happens with half my order most of the time. I wish I didn't need to use these services,but I do. Customer service is also completely not helpful.",4,68,1722866023000,"Thank you for sharing your input. To resolve these issues with pickup and delivery, please reach out to us at walmart.com/help. We’re committed to improving your experience.",1722884581000,Walmart +9b3fcb48-2d5c-481a-8057-d43dab48db4f,"I've been using this app routinely for a LONG time... specifically I use it to check where products are located in the store AND I love being able to scan items to check on pricing. However, sometime within the past month or so the scanner in the app no longer works!! I've done some research, and I see many others are having this same problem!! I've used the app for ages so I know what I'm doing. I've done nothing different to make it not work. I have the proper permissions for the app etc.",1,13,1721705223000,,,Walmart +2973de53-f2ae-4234-bd81-f88bfcb5402e,"Paid for Walmart+ for years, then suddenly ALL produce items are out of stock when I choose delivery. Contacted customer support 10 times and have been promised that this issue will be escalated but no one reached back to me. They are just unable to resolve the issue. Not sure if it's a local issue with their Union, NJ store but this has been going on for months now. Cancelling my membership...",1,1,1723083713000,"Ensuring fresh produce availability is important to us, and we’d love to look into this for you. Please reach us at https://www.walmart.com/help for assistance.",1723019688000,Walmart +32f4f36d-493f-47ce-8bba-795fe2d95653,"I like the convenience of online shopping. There's a big drawback, however. My orders are often incomplete because popular items are routinely unavailable despite being listed on the website. I don't particularly like the substitutions offered for the products I want. I also don't like the fact that I have to spend a minimum of $35 in order to have grocery pick up without a costly fee.",4,4,1722408202000,Your review is valuable to us. We're here to enhance your experience. Please reach out to https://survey.walmart.com/app with more details.,1722472539000,Walmart +da6f53b3-7934-4186-8059-f6de5409f1e2,I think that a company as big and wide spread as Walmart should be able to hire programmers and tech support that are skilled enough to make their app work without freezing up and forcing me to exit and return so many times. I request to see items from low price to high and they are NEVER listed that way. apparently they have changed their search and you have to go through several steps just to get to the category I want. Don't appreciate attempt to manipulate me into browsing.,3,0,1723243273000,"Sue, your concerns matters to us. Please contact us at https://www.walmart.com/help, so we can look into this further.",1723249125000,Walmart +f8fc6367-74c1-41b1-97a2-db082ab08ad7,"Your website is constantly freezing right at the very minute that I need to check out before my reservation expires and on top of that every 3 minutes during my shopping things in my cart start to become ""unavailable"". I'll revisit my cart to see where I'm at and it'll suddenly it'll be like ""there's 5 things unavailable"" it's absolutely RIDICULOUS!",1,1,1723358763000,"We suggest you try a forced close or shutdown of the app, and then re-launch it again to make it work. If you're still experiencing any issues, please contact us at walmart.com/help",1723359338000,Walmart +50b37121-4021-49ac-a901-904e6a0e70e2,"This app helps me out tremendously. I am a disabled Veteran and I suffer from Anxiety. Going into the store is sometimes very difficult for me, so the option of having my groceries and other needs delivered is such a big deal for me. Also, I've always had positive experiences with the delivery people. They've all been so friendly and on time. Thanks Walmart, you've made my life so much easier 😍",5,60,1721807332000,,,Walmart +6a3d3eed-cb64-4ddf-b6f9-0ba3a4b79a70,"Walmart App is not working on my Galaxy S24 Ultra this morning. It regularly freezes with routine use, and I have to force close it and reopen. Did the same behavior on my Google Pixel 7 Pro and my Galaxy A54 5g also. If you browse a lot of pages within the app, it freezes. I am assuming it is a memory or web server problem, or both. I know Verizon is doing a Network upgrade in my area if that helps developers. Uninstalled and reinstalled.",3,3,1721944662000,,,Walmart +cb44c146-0dc2-485c-ac62-f77149059f4c,"For some reason the app was updated to be worse. The Aisle number a product was in used to be displayed in the cart so I could make my list in the cart then go through the store picking up all my stuff. Now the aisle is not displayed in the cart and if I want to see where the item is I have to navigate out of my cart, to the item's page, scroll until I find the aisle number, then navigate back to the cart. For every single item in my cart. Huge inconvenience.",1,2,1722243481000,Your experience with the app's recent changes and the added inconvenience is noted for future updates. Please contact us at: https://survey.walmart.com/app,1722405568000,Walmart +1f8345b8-70ed-4355-9b81-b7e9d4ea386b,"The update recently done to the app has done nothing but cause great confusion. Now you go to your cart, but many items you put in your cart are not there. So you get there in your cart you find that you don't even know you have. apparently a back order cart or something. So you place the order on both carts to get what you ordered. my opinion is you F'd it all up. Now only confusion. I'm going to HEB, screw this! NOT TO MENTION, USE YOUR DEBIT HERE & YOU WILL BE HACKED! NEVER AGAIN!",1,13,1721813153000,,,Walmart +5fcbd829-c677-40b5-aae7-b61489a4a398,The price scanner on the app isn't working. I scan an item and it keeps spinning not loading a price it's been like this for a week. I thought uninstalling would help but same thing happens. Clearing data and cache doesn't help either. Internet connection is good so that's not an issue either . How do I fix this?,2,10,1721710994000,,,Walmart +efe60c11-36e1-4b3e-83dd-dc6cd3daa27e,"Predatory UI elements. No longer supports price low to high item filter. Has fake MSRP on most all ""discounted"" products. Changes prices at the final payment authorization screen. Claims an item is free shipping until you are poised to checkout. I could go on .... And on.... And... you get the point.",1,1,1722909194000,We'd certainly like to look further into the issue you mentioned. Please connect with us at https://www.walmart.com/help,1722912496000,Walmart +71bea0de-50bb-4c28-b238-42f20958dd38,"This is a great service when the drivers follow instructions. I ask they ring the bell when they deliver. They will deliver as much a 30 minutes early or late, and I'm not able to constantly watch my phone or I may even forget about the order. Milk, fresh meat, and ice cream do not stay good in summer temps for more than a few minutes. Especially since they have already been out of the fridge for a while before they arrive. I tip if they follow directions. If they don't, I don't tip.",4,2,1722043543000,"Glad you find the service great, though timing and instructions are key!",1722468775000,Walmart +db82a36e-4013-4309-bbdd-56f7020cc667,"App is no longer giving prices when you scan a barcode. The wheel just scrolls forever. Try it on over a dozen different items, products. Latest update broke that function. Deleted cache, deleted data, signed back in, problem is still there. Deleted app, reinstalled app, signed back in, problem is still there. Brand new, latest pixel phone, latest Android OS.",1,20,1721588281000,,,Walmart +fd1e800b-f443-4d14-b8d2-816cae3265d0,"App stuck at check in when your on your way. Will not let me check in to notify I'm on my way, this blocks the following prompt upon arrival to check in with parking spot number. Nobody answers the phone on the sign in the pick up area so I ended up wasting time trying to flag someone down(in the correct area btw) left without groceries. Fix your buggy app.",1,0,1723207026000,"Thank you for sharing your experience. It sounds like a frustrating situation. Please reach out to us at https://www.walmart.com/help, so we can address the issue with the app and improve the pickup process.",1723207532000,Walmart +63919b41-1fa6-4021-bdef-a07b6b3e51a6,"If I am not in the store, it works great, every time I am in the store and I try to use check a price or find a item it just loads after scanning barcode. It's getting old I have had this problem for months. I have reset phone, updated, un-installed and reinstalled nothing works.",2,7,1721439598000,,,Walmart +8aa4fa6b-7bb7-4a7c-86a8-b5388517b971,"The delivery service is disappointing most of the time. I'm always either missing items, have smashed or rotten items, or sometimes items I didn't even order. (which means someone else is missing their item). The substitutions are sometimes ridiculous as well. When they were out of my sugar-free keto cookies, they substituted with full sugar Chips Ahoy. I would never recommend to my loved ones paying for a membership for the ""free"" delivery service. I'm probably going to cancel mine.",2,20,1721593789000,,,Walmart +32bc6aff-683f-4bff-8b63-1c65d1494943,"I did an update around 7/14/24, and since then, I can't get any merchandise bar codes to scan. Is anyone else having this problem? I've uninstalled the app and reinstalled it. I've cleared the cache. I tried using the in-store wifi and my own data, and none of these efforts have made a difference. This is a great feature when it works.",2,21,1721619293000,,,Walmart +7a025e3c-39b4-4cf5-b89b-8970a9a0e0f5,"It's an ok app but if u want it order within 3hrs, u ARE NOT allowed to make substitutions which allows ur picker/shopper to pick ANY RANDOM item that is similar, not good. The shopper is not communicative throughout the experience which is not good either. Instacart has the best app when it comes to grocery delivery. It's easier to communicate w the shoppers n make substitutions if ur original selection is not available. Walmart just sticks u with whatever n ur stuck paying for it",1,1,1722905276000,Thank you for voicing your concern about our Online Grocery Pickup service. We would love to get more information into what happened. Please contact us at walmart.com/grocery/help,1663386947000,Walmart +5a1ed033-7609-4251-b5cd-c2713e84757f,"I tried to utilize free delivery with Walmart Plus free trial membership and I was still charged a delivery fee. I opted out of a tip and even with the sales tax it came out to be more. I'll continue to utilize the Walmart app without the Plus that's actually a minus. I see no advantage for me because when I order through the app, I always spend the minimum amount of $35. No benefit to paying a monthly amount of $12.99. I don't need all of the bells and whistles.",4,46,1723098599000,"Sana, we're here to assist. Kindly share more information through this link. https://www.walmart.com/help",1723098923000,Walmart +a2808546-a660-4306-9e07-bc3f0e1f398a,I haven't had any issues with the app up until today. I've never had any issues with ordering items I've recently purchased until now. It's beginning to become very annoying as I've tried numerous times to scroll through recent orders and then the app freezes and then says it's not responding.,4,0,1722575023000,"We suggest you try a forced close or shutdown of the app, and then re-launch it again to make it work. If you're still experiencing any issues, Please contact us at walmart.com/help",1722575886000,Walmart +4f17802e-cd72-4032-bd4a-dc8da245193f,"waited to check out 20 minutes. got to register and charged the wrong price for an item. the chaos ensued. 25 minutes later , I left the item at Walmart. told they didn't have the sale item although it was in my cart. told it wasn't on sale at their store and they didn't have it. only online orders. false, given the stores info along with the isle number they still refused to sell the item at the cost listed for their store. horrible customer service along with rudeness. never again. TARGET ⏰️!",1,0,1722551902000,"Sounds like a rough experience. We're always aiming to improve. If you'd like to share more, please reach out here: https://www.walmart.com/help",1722553071000,Walmart +6d54c4c3-a78b-44bf-a1e5-48b0900c5aa9,"At first I absolutely loved Walmart+ for the delivery service and I was about to switch to the annual subscription, but I'm so glad I didn't. They just released changes so that the delivery window is now 2 hours instead of 1 and instead of trying to substitute your items that are missing with something of equal value or cancelling the item completely, they are up-upcharging for more items that are nearly double the price, plus no longer allowing you to accept the substitutions. Horrible changes.",1,27,1722278543000,"Kimberly, your input on the recent changes to Walmart+ delivery and substitution practices will help guide improvements. Feel free to share your thoughts with us at: https://survey.walmart.com/?walmart-store-core",1722406210000,Walmart +846afb7b-f74a-40a3-9b91-66d37308e1a2,I really enjoy this app for price comparison at other stores and to check prices within the Walmart store. I am having trouble with the scanning feature and have contacted customer service. I'm not happy about this issue. This has only happened in the last week or two. I worried the update messed it up it shows on July 16 .,4,4,1721764937000,,,Walmart +f95b8347-d812-457a-a832-782a05a2ccd5,"I subscribed for free grocery delivery and it's frustrating. If the item you want is unavailable then they will give you a substitute, you can choose to decline it, but every time I have still paid for these items. You're supposed to be able to chat with your shopper, but mostly they ignore it. I've received rotten produce and melted food. I've lost way more money than I've saved.",1,20,1721887239000,,,Walmart +0d56f810-1a9d-45fa-80c0-699d6b4f5984,"This app is useful for getting groceries, however, beware if you sign up for the free Walmart+ trial. Unlike every other subscription service, if you cancel auto renew with the free Walmart+ trial, the trial will be canceled too, and you won't be able to use it. Guess Walmart lost my money on this, cuz I'm not going to pay for something I couldn't even test out. Lol.",3,0,1723379175000,,,Walmart +364597eb-b77b-4b1c-a71c-0fda374abd8a,"I love shopping for all kinds of things that Walmart has both online and the store itself. They have some awesome products there. I've actually shopped online for groceries once and the delivery was really fast. The staff there are really nice and helpful. Thank you so much for your amazing service!! To the makers of the Walmart app, y'all have done good!! Keep up the great work!!",5,40,1722655264000,We're dedicated to providing the best experience possible!,1722655916000,Walmart +f17a274d-2935-43fb-9858-5f7417c49a49,"""TURRBLE!"" Dumb in general. You have to reset your filters after every search. Also, the filters don't actually work. It's slow and not intuitive in any way, shape, or form. It's a busy app that's managed to make online shopping not fun. Edit: Actually, it's more useless than I thought. The first order I put through I had to cancel. Informed they were running behind. It ""has been delayed."" This is perfectly understandable, but no new time given isn't. 2 hours pass. I work early & have to sleep.",1,91,1721301510000,"We appreciate your thoughts on our app, Heinrich. Let's improve your shopping experience. Reach out so we can help at https://www.walmart.com/help",1721278419000,Walmart +259e8d20-8769-42fc-9089-17133938a0ed,"The app has discounts on items for your store. For whatever reason, the store can't match the price that walmart has on the app. I tried my first purchase through the app, and they kept canceling my order. Talked to a rep on the app. They said if you make any changes to your account, it takes 24 hours to make a purchase on the app. otherwise, it will be flagged. Sorry for adding a payment option to buy something on the app. Not really what I would call friendly for first-time buyers.",2,12,1721114627000,,,Walmart +f2d607eb-6984-41fc-9a93-4e13214a7269,"The annoying full screen pop-up ad for Walmart plus is back again every time I open the app. I would not care at all if the ad was just integrated into the app homepage or something, but it annoys the heck out of me whenever something just randomly pops up in front of something else that I am trying to tap on. I DO NOT WANT WALMART PLUS and the more the ads for it annoys me the less likely I am to ever consider getting it. Otherwise the app is pretty solid and works well",2,2146,1720951017000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your issue with our App Development Team. Please provide with more info at https://survey.walmart.com/app,1690105533000,Walmart +7258739b-b80d-4e9d-863f-d3505c2a27b7,"Connectivity of this app is terrible both in and around the store. Can't connect to internet in store and app struggles to connect on mobile data outdoors. Walmart pay is also incredibly annoying. It's clear that Walmart made the incredibly short sighted decision to update all registers nationwide with card readers that don't have the option for mobile tap, and they have scrambled to create a clunky, app-based equivalent with inconsistent reliability.",2,28,1721516768000,,,Walmart +94c0f2fa-5bff-4f2b-9dc4-9de86f66889a,This is the best app it literally has everything you need and gives you more than one option of getting your purchase. I just love it and I have gotten almost everybody in my immediate family going with this wonderful app as well. I am a disabled person and this app offers a discount for those of us on a discounted income. keep it up!,5,3,1722921640000,We aim to provide the best service.,1722922350000,Walmart +a93a8e2d-a085-4972-aefb-38b29a9639fa,I do not recommend this app nor walmart plus. I pay monthly for rhe service and the delivery people are almost never in the time frame and thats IF they show up..the last 3 drivers have delivered my food to the wrong house or not at all. The app continously glitches and makes it impossible to schedule a delivery even when we have paid for the service.,1,3,1721947883000,,,Walmart +60d2cd62-82cc-49a8-bebb-3433c14f9221,"Had to sign in 3 times for it to work, only installed it to pick up a single order. I ordered online for pickup since walmart don't list the location of items instore, hoping to save time. Turns out they don't let you pickup without the app so I have to install this and waste a bunch of time. Definitely not a time saver.",2,4,1721431271000,,,Walmart +523cffa9-be48-4542-8fe2-b3de3f794243,"This app is decent however the filters on the app and the website do not work properly. Most upsetting, after the latest update to the Walmart app(7-22-24) I can no longer sign in to the app or website!! I already called customer service about this issue and hoping it gets resolved soon. If not, I'll be forced to spend my money (online) elsewhere!!",2,3,1721779084000,,,Walmart +596e9b1a-771d-49e4-8fc4-7316d26ca1a0,"I used to love this app. Unfortunately things have changed. Delivery driver's are not responding to instructions for delivery, substitutions are made whether you want them or not. Returns from home are part of the service you pay for, however, not all items are eligible. So if a substitution is delivered and you can't use it you have to drive to the store for a refund. There's also a new policy that every delivery order MUST be $35+ . No longer can you order milk if that's all you need.",2,1,1723181474000,"Your insights are crucial for our continuous improvement. Please reach out to https://survey.walmart.com/app with more details. +",1723182434000,Walmart +ff64f933-1688-442a-8a43-e9fe4f7e2277,"Phone app makes it really nice to scan and go.... Just wish you would allow multiple gift cards to tally up and use gift card first like Amazon does. So far I haven't found a toggle switch, where you could flick to use gift cards first. It's a little inconvenient to charge $25 card.... And then have to repeat the process",4,0,1722442051000,"We appreciate your inputs on our app, Kurtis. Please share your valuable inputs with us at https://survey.walmart.com/app",1722471393000,Walmart +aa789b67-7807-4260-a13c-855a78c857af,"Quick and simple ordering. Not all products can be shipped though, then you have to change your items around. Usually the shipping is pretty fast !! That's a big plus ! 👍 Why is the app down and out of working order right now ????? Please fix ASAP!!!",5,3,1721943548000,,,Walmart +1591468b-d739-4a8e-82bd-5d1256b74937,"The app works really well, but the the scanner is borked. Anything I can just gives me a spinning icon. Everything. Uninstalled and reinstalled and it doesn't help. It worked up until I tried it on July 16th. After that I get the same thing. I have contacted customer service, so hopefully it will be fixed soon. Strangely, I can scan the code on my receipt to add to my purchase history. It just won't find product codes. Update. The newest update fixed the scanner! Yay!",5,391,1721842186000,"Thank you for the valuable feedback. We are excited to announce Pharmacy is back! Easily manage prescriptions, schedule vaccines & more directly in the app. Try scanning your Walmart RX label to refill your prescription.",1665718877000,Walmart +6b3c47a7-cae4-475c-a2c5-3bc86d16999a,"Always loved the app, been using it for years, however, since the last update, it will no longer allow me to place an order. Every time I hit place order, it just scrolls to the top of the screen again. I've had to place my last 2 orders on my lap top. Also, the scanner hasn't worked for days either. I've uninstalled and reinstalled. Guess I'll see if it's working on the next order.",4,3,1722123353000,"Cindy, we recognize the inconvenience, and are dedicated to improving the app’s functionality. Please share your experience at: https://survey.walmart.com/app",1722412775000,Walmart +f3e38e2e-76a3-4c90-a902-2714dc2fb648,App is functional. I don't like that you can no longer scan an item to see the price in stores without signing up for the monthly service. Especially since self-scan stations have been removed in stores. It is also very difficult to find items that are in my local store or area and it seems to default to delivery rather than telling me what stores have the item close by. Not very user friendly in those regards. Amazon and Target are definitely superior and walmart needs to take note.,2,97,1720114153000,Your input about item availability and pricing is valuable to us. Please share your insights at: https://survey.walmart.com/app,1720114961000,Walmart +9797fce1-4469-41e0-9929-bd70ddeaaba4,"Absolute junk. I had to close my account for card fraud, which is a joke in itself. Worse things have happened, ah well. So I decide to order something from my partner's account instead. The order was cancelled multiple times until it was just out of stock, the reasoning behind it being that ""it didn't match the previous purchase history."" Nice to know I have less say over my own money than someone else when using this app",1,30,1721118604000,"Please share more with us at https://www.walmart.com/help, so we can assist you better.",1721125601000,Walmart +182047b9-269c-4e24-9ac6-b3327ac88ee3,"I actually love this service, but the app is always wigging out - today all of my purchase history has disappeared. Even if I search by date, completed, in progress, it's all gone, including my most recent order from today. There's no way to pull up it's progress unless I pull up the confirmation email. There does not appear to be a new update. Any ideas?",2,71,1720509518000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your issue with our App Development Team. Please provide with more info at https://survey.walmart.com/app,1685153697000,Walmart +e3289840-20f0-48d4-b670-6a4e6405db2a,"The new update is missing the Filters line for things like ""in-store"" etc which was super convenient when planning a trip to the store. I even used it when in-store (and liked it more than their own Store mode) to find things or see what items were ready to purchase and pile in my grocery cart. It actually has done well in the past few years for store navigation and overall inventory, so this time I think it's a technical/coding error with the update.",3,146,1717549807000,"Thank you for making us aware of this situation. Please reach out to us at walmart.com/help so we can assist you further. +",1717551533000,Walmart +075776b3-623d-4ebe-9029-a149273e6e3e,"Horrible app. Every page is jittery and stuttering when scrolling. Sometimes sends me back to the top of the page. Search results keep wanting to show only online items or pick up items. Call me old fashioned but I go to the store to get items myself, when I search items and want to know what isle to look in all I want is the isle number. But it never gives mit to me. The rare occasion it does, it's below all the damn online items. At least let us filter results to show ONLY in-store items.",1,163,1717892470000,We understand your experience hasn't met our standards. Let's discuss this further we recommend reaching out to us at Walmart.com/help,1717893198000,Walmart +aa3c9f18-5f63-4f68-880b-07de55773f4d,"I've used this app for a while now and have to say I'm pretty disappointed. Yeah, sure, it works. But the company is more concerned with providing you with advertisements than an easy, streamlined process. However, my biggest concern comes from Walmart's absolute failure to get any orders correct. I've had multiple items go unfulfilled. Leading to multiple contacts with customer service. Ive received wrong items, such as tortila wraps, replaced by sandwich bread. Ive even received expired food.",1,134,1718150461000,We aim to address and resolve the situation for you. We encourage you to contact our dedicated support team at walmart.com/help for tailored assistance.,1718151206000,Walmart +017039ef-b21e-48f0-b8d2-7c81edb2801b,I am handicapped and going to the store would give me anxiety. It became so hard to do shopping unloading items then putting them back in the basket to unloading in the car. It's very difficult for me it takes me so much time and the pain I will be in. Now that I order for pick up or delivery it's really the best thing. I pick up they bring everything out they load it into the car fir me. delivery they bring it right to the door. I had nothing but good experiences and I am very grateful.,5,0,1722148625000,"Shopping challenges turned into a breeze, sounds like a true game-changer for you!",1722472994000,Walmart +c3ae81ea-2011-47e6-ac3b-70b27d631b5e,"After our car broke down, I was in a panic. I thought this would be too expensive. But I have learned I was very wrong. The monthly fee is reasonable (would pay way more for uber) and I find I spend LESS money because I can comparison shop more, and plan meals better. I did have one issue where I didn't get my entire order. One quick phone call and I had a refund and I rescheduled. Because it was handled so quickly and without any hassle, I can't even take a star away.",5,14,1717277515000,,,Walmart +07f5e6dc-cb66-4beb-a96f-64f9f4eaaea1,"This app is not intuitive. And, it lacks the ability to search for the basic instruction a new user would need! The developer clearly focused on showing things for sale and for checking out. But, from there on, the customer is forced to hunt and peck looking for things as basic as tracking an order. Why is that not on the highest level menu? Instead its at least 2 layers down? And more issues exist! Now, I recall installing this app, and then uninstalling it! I will uninstall it again!",1,49,1720072109000,"We appreciate your detailed input, as it helps us identify areas that need improvement. If you'd like to share more specific concerns, please reach out to us directly at https://survey.walmart.com/app",1720073324000,Walmart +d840d007-5587-4365-813e-bed563970d3e,"The app is never correct on what's actually in the store! There's been countless times I have driven almost 7 miles, each way, for something because the app specifically said they had it. Sometimes if the one that's 7 mi away doesn't have it, I will drive 12 mi to the next one. I've noticed things on the app that costs 3x+ the amount it does in the store, even when paying the subscription. But I'm also not going to pay $7 to ship something either! And I definitely wont pay to pick something up",1,27,1720599225000,We're here to enhance your experience. Please reach out to https://survey.walmart.com/app with more details.,1720601635000,Walmart +f433af2d-0488-4688-bdb8-41897b89bcea,"Shopping on the app is super convenient, except I often can't find products that I know they carry! it's especially frustrating when the item you want shows up as a replacement item, but didn't show up in a search! For example, today, I searched for Cerave cleanser and only found a 16 oz bottle, but I could get 2 8 oz bottles as a replacement if the 16 oz wasn't available. why can't I just order the 8 oz in the first place?! I've had the same problem with tomatoes and cottage cheese! Unacceptabl",3,75,1720651478000,Glad to hear you love the convenience! Thanks for the heads-up! Need more help? Drop us a line at https://survey.walmart.com/app,1720656562000,Walmart +67fe05ef-084a-49e7-bf3e-1000a8e27b2c,Not at all user friendly. Shopping for products is fairly straight forward but anything else is a matter of pecking around to see if you can stumble upon what you're looking for which makes it hard to repeat. The general layout has no rhyme or reason. Its bad enough to where I'm seriously considering ending my subscription/membership. I'd rate it a quarter star if it were an option. A total revamp is in order.,1,54,1720791719000,"We value your insight as we strive to do better, Scott. Please share your thoughts with us at: https://survey.walmart.com/app",1720810083000,Walmart +3a268f10-5f94-4c03-b767-bd336bc0855c,"Latest update: So they fixed how slow the app was. Everything was working pretty well for a very long time. But recently it was updated and now we have a major scrolling issue. The scrolling will jump up and down almost like flickering. I have tried to force close the app, cleared the cache, cleared the data, and reinstalled the app. It still does it. It's practically unusable again.",3,185,1718481067000,That doesn’t sound right. Let's figure this out together. Please connect with us at https://www.walmart.com/help,1718485132000,Walmart +5fe8813d-82a5-4140-9ac1-5c3e17d4de56,"This app consistently quits working and closes on my phone, it doesn't allow you to choose substitutions for items that are unavailable prior to checkout neither. Beyond annoying. I suggest getting up off your @$$ and getting your items yourself... And the delivery fee is set at $9.95/ per delivery as well.",1,10,1721464247000,,,Walmart +0899fd2f-43ad-4b87-91a8-3f3271bf6680,love using this app but something is wrong with scanner. Worked until about 2 weeks ago.I use this option a lot at home making my orders. It also won't let me enter the barcode num. to search items. Frustrating! Please fix! Also please do something about pickers with produce. I get bad fruits and veggies alot & even though I get a refund it stinks to have to go back to the store.And with meat. I order family size of like 5 different meats and they will all have exp. date for 1-2 days. Not cool.,4,5,1721594960000,,,Walmart +e3b67851-3da5-4c80-8d51-481240cbc574,"The Scan & Go option within the Walmart app is very cool! Especially for those in a huge hurry. Just scan the barcode of the items as you pick up. Then go to the register and scan the QR code, pay on the app, and you're done. Receipt goes to your phone. I have to point out that I prefer interaction with the cashiers. Let us not forget that we are social creatures😊.",5,0,1722586666000,Delighted to know we hit the mark for you!,1722588786000,Walmart +f5a7eae3-e74a-4b73-ba99-9f01e340711f,"For the past 2 weeks when I've gone shopping, the scanner app has not worked at all in store. I've uninstalled and re-installed, connected to the Walmart Wi-Fi all to no avail. I rely on this app too ensure I'm paying what the tags say before surprises at the register when I'm ringing my items out. And seeing as only 15% of the in store scanners work, this has not been convenient. What is the issue? Is the newest update not Android friendly? Please help",1,8,1721591796000,,,Walmart +b07e3858-31f7-4ea7-8430-3be433ef054b,"Usually great, except when I scroll to find items, the page jumps back up to the beginning. Each and every time. There are no updates to do, I don't have any bugs on my phone. It's annoying. Closed out and Uninstalled and installed again. STILL doing same thing. No, I'm not gonna chat on the walmart help chat or ask to get a call. Just fix the issue on YOUR end.",4,481,1717719927000,"Debbie, we suggest you try a forced close or shutdown of the app, and then re-launch it again to make it work. If you're still experiencing any issues, please contact us at walmart.com/help",1717717515000,Walmart +1f9f3f7c-6a90-419a-9688-3ebccdcde681,"I think walmart is affordable because you can find many items on sale. But the one thing i wish is how recieving items needs to be executed well. For example, it says I will get my item ""shipped"" but then it comes from a local store. I thought it would come from FedEx. I wish u guys could decribe where the item is coming from so i wont be confused. I like my items sealed in boxes from fedex warehouses. Thank you",4,0,1720318014000,Your input helps us serve you better. We encourage you to share more details through the survey link at https://survey.walmart.com/app.,1720361259000,Walmart +b58b7fe2-8ea3-4bed-a191-2d141af2efbb,Unless you have Wi-Fi or a blindingly fast cell connection this app is a real bloated pig. Numerous timeout messages. Very difficult to update credit card information. Repeated tries to update orders fail. This is an app issue not a connection issue because my other apps work fine. Reflects very poorly on Walmart. You lost my over $150 order. I went to a local food store.,1,6,1721958599000,Enhancing the app's functionality is a top priority to ensure a smoother experience. Reach out to us here with more details. https://survey.walmart.com/app,1722400928000,Walmart +b6efabf0-37cb-472e-8ca1-4e316f6a27e8,"It is very glitchy and unpredictable. It's inconsistent. You never know if you can choose substitutions today but you could last week for the same items. It chooses the payment method for you, so it's inconsistent with the final charge. You can change the method only half the time. Mostly it's the card Walmart chooses to use, even if you do try to change to a different card. I have had to take all but 1 card off the site because I don't always get a screen that says we will be charging this card",2,28,1720564760000,"We acknowledge the inconsistencies you’ve experienced, Julie. Reach out to us with more details at: https://survey.walmart.com/app",1720565594000,Walmart +cb28912b-71e4-4f64-be4b-ff0af1f3f84d,"The 7-22 update has fixed scanner. 5 stars again. 7/16- Scanner isn't working. There wasn't a problem before, either the last app update or one before has rendered scanning ineffective. When scanning the item barcode, the little Walmart logo (sunburst or flower?, whatever it is) just spins on the screen until you back out of the scan. Cleared app cache, didn't resolve the issue. Maybe this is a one-off thing. Will try at a different store and upgrade app rating to 5 stars if it works as before.",5,405,1721815090000,"Please share more with us at https://www.walmart.com/help, so we can assist you better.",1721208840000,Walmart +d3ab9071-7fe7-4149-9c92-de3dc511972c,"Terrible UI (User Interface) that has constant glitches. Text will overlay onto pictures or other text, and the screen jumps around as the app aggresively scrambles to load more junk onto the screen that the company wants you to buy. Casual scrolling is not a thing. The app is full of upsells that cover parts of pictures of the item you're viewing. The whole experience is just riddled with visual noise that makes using the Wal-Mart app a frustrating and thoroughly unpleasant experience.",2,48,1718008749000,"We'e dedicated to improving your experience. For further assistance or inquiries, please feel free to contact us at walmart.com/help",1718010071000,Walmart +8a09b985-862f-48f8-b9dd-99aa1eaf05b3,"Ok, so for searching and organizing your shopping list, this is a great app. Easy for reordering items, which aisle it will be in, stock, etc. However, this app bites it big time in the store. 9 times out of 10 times, the shopping list won't even open. If you're using your data, it will tell you there is no internet, I shouldn't need internet. That's the point of data. If it's not an internet issue, it's the app itself having some issues. I have gone back to hand written lists.",3,12,1722830911000,"Your insights about data usage and app reliability is noted, Rhianon. Let's connect at: https://www.walmart.com/help",1722832863000,Walmart +b3e90b34-fff7-413f-8925-77114963a75b,"FRAUDULENT. I did not try to sign up for Walmart+, the app showed a pop up when I tried to click the account section at the bottom and it immediately signed me up for a trial without any confirmation, and I had to hunt down a way to cancel it. Now it aggressively tries to get me to ""restart"" my membership with another full screen popup with the button still in the problematic position. Also no way to turn off ad notifications.",1,60,1720622473000,Thanks for your feedback. We’re sorry you’ve had issues with the Walmart app. We’d like to know the details of the problem you mentioned. Please provide more information at https://survey.walmart.com/app. We'll pass it along to our development team and see if we can fix this technical issue. Thanks!,1686103838000,Walmart +82477f30-a82f-4d52-bdb6-3a4c54d18a25,"Update- for the moat part, the app is working well. Today, the app will only show in store purchases in the Purchase History, and I can't see online or pickup purchases. I like the store mode when i am in a store teying to find something. Since the latest update the app has been horrible. It won't let me add things I know image in the store and it won't let me check out. It is too confusing and I hate the new version.",4,61,1720503485000,Your review is important to us and helps us enhance our services. Please reach out to https://survey.walmart.com/app with more details.,1720519928000,Walmart +c9713820-ee54-4f3f-a8b8-636c244bdb8c,"The price scanning feature has been a life saver but lately it has not been working. I have to launch Scan & Go to price scan, but if you don't have Walmart+ I would imagine you wouldn't get a price at all. It also won't load in store price, it will only load online price, which my Walmart will not price match. There needs to be an online price and a store price feature.",3,10,1721595903000,,,Walmart +b7603a27-4ff4-478e-8eab-0fdbfa615764,"The option for scanning to check the price on items is not working properly. You scan the item and it just stays loading and it never loads to show Price or any information on products. Have tried Cellular signal connection 5G and with Walmart Wi-Fi connection and app still doesn't load products after scanning for price. Have tried force closing the app, have tried uninstalling and re-installing the app and it still doesn't work. I also updated the app and it still doesn't work. Please fix",1,21,1721473160000,,,Walmart +b6f8495d-3892-4506-9a03-8848e3533a47,The app is jumping when I scroll through my items. Very hard to use. Restarted phone (still doing it) cleared cache (still) cleared storage (still) obviously force closed it every time. Please fix this annoying problem. When we try to scroll down it's like it physically gets snagged on something and starts scrolling back up very fast. It's something you all did so why don't you find a phone use the app and see for yourselves. It seems like doing a little testing would be par for the course.,1,125,1718489735000,"We're committed to providing a better experience. Please provide us with more info at https://survey.walmart.com/app +",1718488795000,Walmart +83f28cd9-090c-4a29-9298-69b995a72318,Walmart grocery delivery is awesome and it saves on having to go out shopping and standing in long lines especially when you have kids. They have cheap back to school supplies. Everything is affordable and good quality. There is only one thing that makes me mad at times is there out of certain items kinda often that's why I scored 4 out of 5 stars. But I would recommend this to people and give it 2 thumbs up.,4,14,1720829563000,"Your review helps us improve, and we appreciate your recommendation, Autumn! Please share your thoughts at: https://survey.walmart.com/?walmart-store-core",1720831275000,Walmart +2a2b153e-ec22-43ce-a649-65de4ab5400b,I'm having the scrolling glitch problem many have posted about here. I can manage that by scrolling slower than usual but my biggest issue is searching. It sometimes takes 5-10 attempts before the app actually searches for the item I'm looking for. It will show a department list instead over and over. Sometimes it doesn't do that at all but it's happening so often it's ridiculous. It takes me way longer to complete an order than it used to.,3,451,1719151293000,"We're aware of the scrolling glitch and are actively investigating to improve your experience, Bob. Let's connect here: https://survey.walmart.com/app",1719154648000,Walmart +717bcdab-6fe5-4fbe-96cc-b927fcdcef31,"I really only use this out of necessity and nothing more. It's good when there aren't any issues. But I had two instances where I was double charged and they refused to take accountability. They charge you a holding fee when you make an order, but there were two times when I was charged again a week later. The last time they over drafted my bank account because of it. But the delivery service is quick and easy. Free delivery, and shipping. Other than the double charges it's great so be careful.",2,37,1720500974000,We're here to assist further with the issue you've encountered. Please contact us at walmart.com/help,1720528892000,Walmart +84b04390-dab1-48e4-b7ef-993780b80440,"Constant harassment to sign up for Walmart plus. Walmart pay won't print a receipt so I don't use it much. It does tend to show me the aisle where things are in which is useful, although it's getting more common that that info is missing. If the search function is so plagued with sponsored ads (five in a row) it's borderline useless. It's got increasingly less useful, with all wrong or misleading info and other functions that have not been improved.",2,131,1719906791000,,,Walmart +05e0050e-0560-4a77-89c4-ea4a5d5f57f5,"Ordering groceries for pickup or delivery is easy, especially compared to other supermarkets. Items are pretty easy to find. The app is responsive. Using the app in-store when weighing produce is a challenge, because I get no cell signal in store. Free Wi-Fi requires login, which wants to TXT me a code, and I'm back where I started. Fortunately that is not a blocker. Produce can be weighed at check-out.",4,357,1720849171000,"We're thrilled to hear that you find ordering groceries easy with us! If there's anything else we can do to improve our app, please let us know at https://survey.walmart.com/app",1720850218000,Walmart +e1a26d0d-5949-49e2-89e0-02bb95e3fc5a,"This app is still such a pain! Every single time I open it I have to fight it because it keeps saying there is no internet connection. EVERY. SINGLE. TIME. If I reload enough it eventually wises up but will disconnect several times while I'm working or if I switch to mobile data it will work fine. I am sitting less than two feet from my router, the Wi-Fi signal is clearly full on my phone, what gives?",1,31,1719413035000,"Let's get this investigated, Sarah. Click here https://survey.walmart.com/app to get in touch with us.",1719413610000,Walmart +c3ed724b-250c-4199-bbb7-b5f5db2f06bd,"Walmart's app for grocery shopping is exceptional, offering a user-friendly interface, seamless navigation, and time-saving features. With easy online ordering and a variety of options for delivery or pickup, it ensures convenience and efficiency. The app provides personalized recommendations, digital coupons, and real-time inventory updates, making grocery shopping simple and efficient.",5,507,1716904764000,Your review fuels our grocery game! Thanks for keeping it real! ❤️,1716910287000,Walmart +8905a385-64df-4f81-ac3a-6442dbbb94ed,"Walmart has been working harder on improving their app and has made my shopping experience online, stress-free. Check out is so easy and they bresk it down so you know what and which cards I have to purchase my items. The whole online shopping is totally awesome, no confusing lists of food, no overwhelming prices, just straight out simple layout and user friendly check outs.",5,56,1722838017000,So glad you're loving the app! Keeping things clear and easy-to-use is our top priority.,1722838655000,Walmart +f6661356-1e21-4f1d-839c-36d9a748fd38,"[Walmart+ customer] Sorry ,had to uninstall your app... Scan and Go no longer launches (or runs) when in store using mobile data. If I want to use the service I paid for, I can only connect to Walmart's wifi, but only after consenting to a level of intrusive telemetry measures and micro location that somehow wasn't necessary last month. Like I said before: Sorry, just uninstalled the app. Not likely to renew Walmart+ either, as Scan and Go was the only real benefit for me.",2,0,1721972566000,"John, we appreciate you letting us know about the issue with Scan & Go. Please share your experience at: https://survey.walmart.com/app",1722397528000,Walmart +dfdd905d-c39f-4553-b1e9-668a98b25c90,"Recent updates have badly broken ordering for people who have subscriptions. If you want to add any one-time items to an existing order, the app will consistently error when you try to add. Have to call on the phone and get support to manually add your shopping cart items to the existing order. Been broken for several weeks, not sure how long I want to keep calling on the phone every week to do my grocery shopping. Update: still broken.",1,68,1719522871000,We're not happy to hear about the tech troubles! We're working hard to fix those bugs ASAP. Meanwhile please share additional info with us at https://survey.walmart.com/app,1718102214000,Walmart +c1b9826c-06bd-4944-8218-047bc0a2a710,"It's pretty good, but the notifications are overwhelming. If I picked the substitution, I shouldn't have to approve it, I already did. It's really nuts claiming to save me time when I had to hold the shoppers hand despite giving substitutes for everything, multiple times. It's not the shopper, it's the app.",3,2,1722189273000,"Amber, thank you for sharing your experience with us. Contact us at https://www.walmart.com/help for assistance.",1722393867000,Walmart +706ef385-2e58-4046-8fc0-d83554bc375d,"When you order delivery or pickup sometimes, they purposely make a product unavailable for that selection... Pay close attention to the price of your order, because if you chose to have that single unavailable item for pickup instead, they will charge you a pickup fee because it's less than $35. I was was overcharged on 5 orders because of this and couldn't figure out where the extra charge was coming from Walmart hides that individual fee from the total and you have to really search to find it!",1,59,1717134844000,We want to ensure you have the best experience possible. Kindly head over to walmart.com/help and we'll sort this out together!,1717137681000,Walmart +73694bd6-ce8f-4fbc-9c1d-9b8f945f7c54,"New minimum for STORE PICKUP orders makes app useless and deceptive. Used to love this app. Now I can't even order for pickup without ridiculous extra charges unless I meet a minimum order amount. Almost didn't notice it because they never did that before. Looks like I will do a lot more of my shopping on Amazon with free shipping and no minimum order amount. Walmart, you have chosen to suck.",1,16,1720908289000,,,Walmart +562f86f7-a971-43dd-89a8-4e07fe576b57,"It displays out of stock items when filtering for available items only, it let's you checkout with out of stock items without notifying you they're out of stock, it asks for mailing address only, and if you live rural with a p.o. box this is a problem for FedEx, and if FedEx can't deliver your product walmart changes the destination without approval from or notification to the customer",1,0,1722895526000,"We’re here for you. Please reach out at https://www.walmart.com/help, so we can help resolve this.",1722896952000,Walmart +5a1328ae-32f5-40fb-8234-56444fc7e85f,"I was able to find what I needed and check out quickly. That's for online. For in store items, it's very good. The app will show you what asle the item is on. Only con I can see is that it won't show you the exact asle position. Still this app is very good and I recommend it to all shoppers, Walmart or otherwise.",5,2,1721933040000,,,Walmart +c80e6c86-4a26-4dd0-9b4a-97a86d9da740,"I shop often at Walmart however, for my produce I have had to turn to another source. The produce is just horrible. It doesn't last very long when it's bought. When it's delivered, it's even worse. I Have actually received whole bags of bad mandarins. Yes they are quick to give refunds, I am just tired of asking for them. I really miss the days of old when one could go to the store and buy quality food at reasonable prices.",3,2,1722299641000,We hear you! Improving produce freshness and delivery quality is essential. Please add more details at: https://www.walmart.com/help,1722406541000,Walmart +da483d0e-7969-4e90-9940-467751849253,"Features disappear and reappear. For whatever reason you can no longer use the app to check in at stores to pick up orders. The option is just gone, it's incredibly inconvenient as it's not the only feature that has just disappeared out of nowhere. Consistency is so important with apps like this as convenience is the only reason we use them. If they become inconvenient, there is no point.",1,44,1717377958000,We appreciate your feedback and are eager to address your concerns. Please reach out to us directly at walmart.com/help so we can better understand your experience and work towards a solution together.,1717390865000,Walmart +226847a4-87b5-402e-96c9-278d570b6655,I like this app because I don't have to drive 30 miles round trip to return an item. Walmart offers pick up from your door to USPS returns which I like. Amazon charges you for pick up and there is no UPS drop off close to me. I love their prices especially when clearance over Amazon. Thanks Walmart!!!,5,1,1721867962000,,,Walmart +69a6f337-86cc-4c13-b5ec-d3a828344b37,Great when it works correctly. The app frequently tells me that I don't have an internet connection when I have 3 bars of 5G. It gives me the technical difficulties message a lot. I'll put something in my cart and a few seconds later get a popup daying it wasn't added but when I look it's in the cart. I like to buy my groceries through the app. It takes longer than it should because of these issues. It's frustrating.,3,129,1719028440000,Let's see what might be causing that and find a solution. Use this link https://survey.walmart.com/app to share more details.,1719036280000,Walmart +51267ed3-f706-453e-9716-85f65f02f54d,"I don't like how you have to pay anywhere between $10-$15 PLUS give the driver a tip. I might as well just go to the store myself for all of that. I don't order often to pay monthly either so the only use the app gives me is when I don't have time to shop, I can have them do it for me and pick it right up.",3,1,1722313154000,,,Walmart +4a902dfb-a9ca-4cc9-89d3-41cc5570e757,"USELESS SINCE UPDATE! The scan feature will not check a price, search my purchase history using a barcode, or anything that requires scanning a barcode. Now it will just perpetually be stuck in a moving Walmart symbol but never actually complete the function. No matter what bar code I scan, the purchase history always comes back zero search results even when I see the product in my recent purchase history. How do I uninstall the update?",1,17,1721694014000,,,Walmart +6bc7129a-64d8-4033-a681-9ced7ace714e,"while trying to choose substitutions the app constantly crashed between each click often causing to repeatedly start over and over choose your substitutions from the beginning. Also this causes taking over an hour plus, losing delivery time slot. I am seriously considering deleting the app all together and shop a competing grocer's delivery app.",1,8,1722171484000,We're committed to your satisfaction. Reach out to us at Walmart.com/help if you need any assistance.,1722398859000,Walmart +4120d95e-426b-4b83-b4e7-3021bd62e9e0,"OK, so once the account was all set up (I'm technologically challenged), it was really easy!! I saved a grip of money! free delivery option, wow!! not to be rude but bye bye insta cart delivery!! all those extra fees!! I was able to tip the driver more, 8 items more, and still save money. Thank you Wal-Mart !!! Rhonda",5,1,1720764528000,"That's amazing to hear, Rhonda! Thank you for choosing us, we're here to make your shopping experience convenient and affordable.",1720765651000,Walmart +e6a296a7-b143-4a07-ae79-5e71cfa7de1c,"App bounces back while scrolling, I now keep getting Walmart notifications from Walmart messages. I turned everything I could off. I guess I will have to turn off all notifications too. And turn them back on when I have things being brought to me . I forced closed the app and cleared the cache... Still the same. The bounce I can learn to deal with. But the constant push notifications telling me ""we noticed you noticing this 👀"" makes me not want to use the app at all.",1,43,1720127404000,"We suggest you try a forced close or shutdown of the app, and then re-launch it again to make it work. If you're still experiencing any issues, please contact us at walmart.com/help",1719014830000,Walmart +e4367ecb-04a1-43bf-b7cd-0d874aa0a9f1,Update: they fixed the glitch. Back to being very useful. I like the store mode with map and bar code scan when I'm shopping. I can easily find items and check the price. The update also brings the item up on its own page instead of card that is easy to back out of. I also like that it displays low/out of stock so I can plan better before I go shopping. The recipe section is very helpful. It lets you pay for grocery delivery/pick up with SNAP which many grocery stores do not offer.,4,51,1722746197000,"We are dedicated to improving the user experience. For further assistance or inquiries, please feel free to contact us at walmart.com/help.",1719005242000,Walmart +4cca07f1-f7d0-4598-8cae-b9841660a33b,"Worst Delivery Service! Almost every order is missing something or something is damaged. Then, they don't want to refund me for missing products. Maybe Walmart, the billion dollar company, should hire more trustworthy people to deliver for them, instead of these lowlife thieves! I'm canceling my Walmart+ Subscription when time comes up to renew, because I do it yearly instead of monthly. Til then, I'll only be ordering SHIPPED items, not delivery!! Maybe then I'll get the items I order.",1,6,1721015812000,"Tina, that's unsettling to us! We're keen to understand more about your experience at: https://www.walmart.com/help",1721070014000,Walmart +afaa95e5-0c16-4b8b-aecd-f77ef816a766,"Makes shopping at WMT quick and simple. JUN2024 Update: The app costantly resets, returning me back to the top of the menu, i.e. when scrolling down the menu, it will reset and take me back to the top of the menu, thereby causing frustrations and making me want to use it less often or not at all. Please address asap.",1,8,1717970582000,We appreciate your fantastic review! Making shopping quick and simple is what we strive for.,1702271479000,Walmart +e9f80bcf-7f1b-4376-aba9-294a8f5f0170,"I love that I can still place orders. I have really bad medical issues, but what really makes me mad is not receiving parts of my order. I would be okay if it was here or there, but it's not. It's everyone in Toledo. The only option that is better is Oregon, and even they have messed up a couple of times. It's so frustrating to drive 20 minutes out of my way, well, really 40 or 50, adding driving back, just to have something missing!",2,0,1715918287000,We're here to assist further with the issue you've encountered. Reach out to us at https://www.walmart.com/help so we can gather more details and provide the best support possible.,1715919947000,Walmart +c05b458a-3b13-45af-851e-bb6a2c279da5,"It was a good app at first, but even after uninstalling and reinstalling, I can't scroll without it glitching back up to the top. Really frustrating trying to shop when there's virtually no control and it's constantly scrolling back up on it's own. Update: I see there's a response here, and I did respond to the email (it says I can contact that way in the email). Received no response and the problem persists. 🙄",1,53,1719190131000,We'd certainly like to look further into the issue you mentioned. Please connect with us at https://www.walmart.com/help,1718485141000,Walmart +7d50a3c0-abb9-4525-8c18-02615a63f460,"Usually, my order is on time and complete, but a few times it was delivered to the wrong address, then redelivered to the correct one with items missing. Walmart didn't replace the missing item or refund me the money when I called about it. I've gotten items that I hadn't ordered before and had no use for. Comes in handy because I don't drive and I make large orders. The subscription pays for itself in that manner. 4Stars Better than instore shopping by far",4,93,1719099415000,We'd certainly like to look further into the issue you mentioned. Please connect with us at https://www.walmart.com/help,1719102362000,Walmart +e561ba25-8f2c-48d2-b685-37f282c94c80,"I love this service, but I am starting to hate the app! Used to work fine, no issues. But for the past couple of months, this app crashes constantly! It's super annoying when you're trying to get a grocery order done. Can this please be fixed?! I will stop using Walmart+ if I have to continue dealing with frequent crashing! PLEASE FIX THIS PROBLEM! Thanks!",3,42,1716827619000,Certainly not the experience we aim for! Let's whip it back into shape. Please share more info with us at https://survey.walmart.com/app,1716830219000,Walmart +4e4d0a7c-d514-4a6b-a946-2e757ff7f7c4,"The app is pretty good.Could always be better but of course the shopping depends upon what type of walmart is within your delivery area. I am lucky enough to have three different walmarts of different types at the same distance from me which is too far. If I use the high crime wasmart, the service is just as bad as if I go into the super center.But if I use the neighborhood walmart the service is amazing.",5,7,1716425846000,"Your reviews help us identify areas for improvement. Please provide us with more info at https://survey.walmart.com/app +",1716454621000,Walmart +f6cea4ff-4314-45d4-96bf-a98f49547416,"The Walmart app and program has the potential to be outstanding. One could save a lot of money IF they didn't take those savings back by the app having errors and glitches that don't connect earned ""Walmart Cash"" back to one's account or erroneously bill for Walmart +. The customer service reps have to be told one's issue over and over, perhaps it's a language comprehension issue as every agent I spoke to English was clearly their second (or 3rd, 4th) language.",1,11,1717467334000,Your input helps us improve. We're committed to delivering a seamless experience. https://survey.walmart.com/app,1717468082000,Walmart +e989ab8e-7253-46a9-8e07-fec92c4f843a,"Website is VERY frustrating. It's slow, unnecessarily redirects your item searches through a main drop-down menu, and freezes up frequently. All of which requires an ridiculously tiring and inordinate amount of time to complete online shopping. I can no longer drive to the store, and rely on online shopping, and WMs website is very time consuming and aggravating.",3,66,1717048640000,"Hi there, we suggest you try a forced close or shutdown of the app, and then re-launch it again to make it work. If you're still experiencing loading issues, please contact us at walmart.com/help",1717051215000,Walmart +14497c9c-b33f-40ae-8d78-813b52ea889a,"This app used to work great on my phone, until an update about a month ago changed it. I no longer have the ability to search for items. I now have to find something by entering ""Department > Grocery (for example) > Frozen > Frozen Meals...well, you get the idea. The search option still works fine for my tablet and older Android (wifi only) phone; which have both been updated. Follow up > I'm a dingus. I had my ""Developer Options"" turned on. Once I adjusted a setting within that, this app works",4,154,1720378429000,That's not right! Please reach out to us at https://www.walmart.com/help for assistance.,1719189079000,Walmart +31fc5430-8393-4404-a292-e12e85b46539,"I've had perhaps a hundred great buying experiences online. Selection is massive. Delivery times are superb - I've received some items the very same day (when in stock at the local store). Free shipping on orders over $35. Returns are without question. Also, I find it more convenient to return items right to my local store, even if bought online, than to print label/repack/etc. Just better than the competition.",5,135,1719072868000,Thank you for recognizing our commitment. 😍,1718961997000,Walmart +fd759314-4d39-4976-8e24-c373e3a86523,"As someone who hates driving to and from the store, this app is a godsend. The delivery is usually always on time or not too late, and the customer service is so professional and fast to resolve any issues. Way better than instacart (blehhh), doordash (refuses to refund when orders are incorrect), and especially Amazon fresh (300% markups). I only wish they would combined membership discount with Sam's club because it feels redundant paying for Sam's Plus and Walmart Plus.",5,35,1720385834000,Your concerns about the frequency of tip requests are acknowledged. We're working on improvements to provide a more balanced and user-friendly communication experience. Please provide us with more info at https://survey.walmart.com/app,1705633366000,Walmart +ee84636e-c0b8-4d74-a039-1252854bfaef,"I am Thankful for the Delivery service, and Walmart Cash is so helpful. it would be nice to have a free delivery after your 10th delivery. as a perk. for i often cannot afford to pay a decent tip. which makes me feel bad. For i have had very nice and professional shopping and delivery experiences. I've had a few mishaps but Walmart has always made me happy in the end.",5,52,1720676769000,We're glad to hear you've had positive experiences with our delivery service and Walmart Cash!,1720677585000,Walmart +50ebc8ee-da53-4d4f-ba5c-1668bd961cee,"It is very difficult to see things in the app on my cellphone. It appears as though the app was designed for a big screen. Also, I've started giving tips when the driver arrives, because each time I put a good-sized tip in the application, the driver took their time, so was very late. Also, there's no way to indicate in the app that you gave a driver a cash tip.",2,49,1716058850000,We appreciate your insights. Please talk to us here: https://survey.walmart.com/app,1716059664000,Walmart +210c5aaf-e530-4a61-84d0-9e318c4ab654,"Forced to download the app just to pick up an online order. The website doesnt even tell you you'll need the app until after you place your order. I haven't done an online order in a while, but I used to be able to just place the order and walk in to pick it up with just my ID and order number. Now I have to use their app, give them location permission, and wait for them in my car. This option is probably better for some people, but I never get more than 2-3 items anyway so it's kind of annoying",1,11,1719983358000,,,Walmart +b20223db-9ba7-4488-b9b1-577556b85f08,"The app is trash -- always technical difficulties. It just took me about 10-20 minutes to add a card to my wallet to pay for my pickup items, which made the wait for pickup even longer. I could've drove about 20 minutes down the highway to the Walmart and just got the stuff, for the amount of time it took the app to allow me to add my card to the wallet for payment. I'm extremely ANNOYED!",1,13,1720912707000,That's causing us concern! We would like to request additional information about your experience at: https://survey.walmart.com/app,1720915092000,Walmart +64c2073f-4cca-4e60-a26c-4799fe6582f1,Great investment. I live in a remote area and have no vehicle. I don't make lots of money and it's cost a good amount in cab fees to get to Walmart. By subscribing to Walmart plus I am able to save tons on cab fees and delivery fees. EBT is accepted and you only are asked to tip if you make cash orders. This app has definitely benefited me in many ways. I'm so happy to have signed up and would recommend this app to anyone looking to save money and make life easier.,5,389,1720314327000,Smart move! Saving on transport and delivery costs is a game-changer!,1720343005000,Walmart +e59af782-47b8-4ce9-ae02-5370fe771b2e,"There was a time when I really liked your app, but now it doesn't seem to scroll properly. I can be scrolling downward, but then it seems to bounce upward. It's frustrating! This, plus the fact that many items are almost always out of stock is troubling. Please do something about the scrolling when shopping through the app. Is anybody paying attention? Does anybody care about the experience of the shopper? I don't love Amazon, but their shopping app is virtually flawless.",3,10,1721329469000,We're here to help! Please visit walmart.com/help so we can address your concerns directly.,1718914654000,Walmart +11f94a0b-953f-422d-8a9d-11c05cc2b035,"My problem is using search to find items. After the first item I typed my product, a list of possible things come up, I pick one and instead of a group items with pictures to pick from a screen with ""All Departments, Deals, Grocery, etc."" comes up. Hitting any of these goes back to the beginning of ""Deals"" etc.. I then tried hitting Search again instead of going back to the item I was searching it goes to the last item I already found. Usually I can find the last item, then the proper list comes",3,5,1720599098000,Your review is invaluable in helping us improve the app experience. Please provide us with more info at https://survey.walmart.com/app,1720601566000,Walmart +ba6d22a8-9d58-4a1e-b239-5a1504b1f564,"If you use Walmart cash in payment, the total cost of the order increases. Walmart cash amount is used as a form of payment, not added to the original amount due. UPDATE: New update today, above issue persists. And now completely unable to edit substitutions. It gives a ""We're having technical issues"" every time. The substitutions don't even make sense, impossible to decline them 2nd UPDATE: Unable to use 'on my way' or notify parking location on app since update.",1,43,1721357574000,"Your cash amount is applied as a payment, not an additional charge. Please talk to us here for further assistance: https://www.walmart.com/help",1714864566000,Walmart +d3209dfd-9bb6-4003-a8ad-48104b53f52c,"I so appreciate the Walmart + app, but lately, there have been several issues with the app and items saying they are available but by the time the shopper starts shopping they send a message that states item unavailable/out of stock. I signed up for Walmart+, and I love it. There are good benefits, and having the delivery service makes it very helpful for individuals who have transportation issues, not to mention the delivery person(s) have been very friendly",3,492,1717718401000,,,Walmart +042188d5-a4a5-4a31-a3ca-e7faf8949d6f,"A really simple way not to have to get in your car ,drive to Walmart and find a parking space and walk across the hot paved parking lot,enter the shopping center and pick out and load and then have to drive home and unload. Also it helps employee people that have to do the delivery and the people who have to pick out the items that you are purchasing! I am really impressed with this convenience.",5,27,1717029380000,We're committed to providing a seamless experience for our customers.,1717029725000,Walmart +8b4f04e0-7bce-413a-8e8f-cb28e39c5f17,"The scanner in this app no longer works for some reason. I have tried clearing the cache, clearing the stored data, uninstall ingredients and reinstalling and still cannot check priced in store. It is highly frustrating considering my store location had a lot of missing price tags so the only way to see the prices are to scan the arcade. Highly disappointed with this app now.",2,20,1721343616000,,,Walmart +cc507253-d28d-4ab9-8047-a468b3ceda05,The worst customer service experience I've ever had. I'm cancelling my subscription and I don't recommend using Walmart. It took me 7 interactions before they fixed the issue. And I literally had to call and cuss them out before they'd do anything to fix the problem. I expected way more from Walmart. The Walmart+ program is not worth it. All I did was try to order some luggage and they cancelled my order like 6 times. And they did this after they were supposed to fix the issue!,1,16,1718574527000,,,Walmart +55150706-67eb-4845-a511-23d91a423697,"The app won't allow copy and paste of any needed information. You can't download the important customer service chat session to retain information. The Sort and Filter options to screen out undesired items is worthless! The displaying page disappears if you accidentally touch the screen... then you have to find your way back to the item, product, or page which slides off the screen! This App is defective, substandard, and Customer UNFRIENDLY!",1,14,1719540224000,Your insights help refine and enhance. Please reach out to https://survey.walmart.com/app with more details.,1719543001000,Walmart +89f52982-ce07-4586-8360-ce0cc6230707,I love having my groceries delivered... The drivers do a good job putting my groceries in the designated spot ... Its the website that is in dire need of improvement... Just one example is the benefits section... For those who pay for a membership it clearly states there is no minimum charge for free delivery yet everytime I do not meet the standard 35.00 minimum I am charged 6.99 ... the process of getting a credit is entirely to difficult and entirely too long ...,3,7,1721362731000,,,Walmart +3028a18a-19c0-4f10-8229-fe4b8ef5acdb,found a Microsoft Xbox Series 2 elite controller for a fantastic price. the wonderful thing about Walmart is. I don't need to wait days too a week to get it. ( I am a professional gamer ) and my old Xbox series 2 elite gaming controller died earlier this morning. I can pick it up today around noon. WALMART ROCKS ! 10 out of 10 vendor rating. highly recommend. sincerely Mark,5,1,1721850994000,,,Walmart +db5126ea-6839-4664-9f00-df1787a08d4a,"This could one day be a great and useful app. There is a way to scan a UPC to check a price, but it seems wonky and difficult to hold your phone in the correct position to do it. It can take several attempts and a bit of time and concentration. Locating an item within the store can be tough because it seems to want you to order it first and foremost. Then it told me no map of the store was available. Where is Aisle Z3? I don't even know which where the ""Z"" section is! Needs improvement.",3,48,1716683869000,"Your experience matters, and we want to ensure it's nothing short of exceptional. Please connect with us at walmart.com/help so we can elevate your satisfaction.",1716684385000,Walmart +cb2cff3a-2794-466f-8322-0cfbc4bd2103,There's been an issue with it not letting you scroll with it jumping back to the top twice now and it's super frustrating. I tried doing a delivery order only to have it cancelled immediately after placing it for returns policy violations when I haven't returned anything. Customer service told me it showed as possible fraud on their end. I used the same payment method as usual except I had added Walmart gift cards to my wallet and now it won't let me place an order and I'm paying for Walmart+.,1,28,1720489714000,"Michele, allow us to rectify the situation and improve your experience. Get in touch with us at: https://www.walmart.com/help",1720528857000,Walmart +9acd392c-d79b-4b22-b420-29034b7af314,"Walmart has the most complicated online service ever!! Who knew you had to schedule a pick-up time!? I didn't. No where does it explain that! I drive up to pick my order up, and that's when the ""schedule "" pops up on the app. I'm at the store at that point!! Then, I keep getting notifications that my order is ready. I know that, but I can't retrieve it! What if I needed something that day? Don't advertise the same day because that's not true. The worst!!",1,7,1718053875000,We'd certainly like to look further into the issue you mentioned. Please connect with us at https://www.walmart.com/help,1718057997000,Walmart +58075f35-b430-4048-b4e8-42622e091d53,"Years later and I'm still having the same issue. It keeps changing my store to Sacramento, CA even though I keep changing it to where I live in MN. I have spent so much time doing calls with customer service and it still does the same thing. Very frustrating. Also when I do a pick up order the check in feature doesn't work. I have to call to check in.",1,87,1719809297000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your issue with our App Development Team. Please provide with more info at https://survey.walmart.com/app,1689019899000,Walmart +372b6f55-0acd-4ac1-9498-418d0de8c21e,"It's Walmart. EXPECT WALMART MISTAKES AND ATTITUDE. Paying extra for the WM+ takes away the tips, so the drivers just don't show up, or things are missing. My orders were wrong 25% or dropped off at the wrong house. They send you a pic, and even though it is clearly the wrong house, they claim there is a pic so you have to dispute. How dare you. I don't want refunds and apologies, I want the correct order on time. Canceled. Amazon much less mistakes same prices.",1,31,1717814267000,We're here to address this issue. Kindly contact us at walmart.com/help for further assistance.,1717804700000,Walmart +1a6e79f6-4177-46df-a3a5-477e9fac7f6f,"Technical issues and various bugs on the app. Keeps telling me I have no order status. Was unable to view, edit, or track my order via the app. Until I seen it arrive today. User experience is less than one star for me verses other shopping apps. With these technical problems and errors my experience was not great because I could not get into the order status page without running into an error message saying ""Sorry, we're having technical problems, we'll be back in a flash"" Fix this problem.",1,37,1717375317000,Your experience matters to us. Please reach out to our support team at walmart.com/help so we can address this issue promptly and ensure a smoother shopping experience for you in the future.,1717391607000,Walmart +8401b1ac-9c6a-4a9b-bb5c-d79336631b26,It's really unbelievable this app has been out for years and years with the same exact problem that you can't search your purchase history. No matter what words you type in it shows absolutely nothing has ever been purchased. And to top that off when trying to scroll through to find a previous purchase It's glitchy and jumps all around. I mean these are literally things that I already bought that I want to buy again so I want to find out specific brands to make a purchase and I can't!!!,1,75,1718480948000,We're here to address this issue. Kindly contact us at walmart.com/help for further assistance.,1718482978000,Walmart +4c80e106-b52b-4229-bcaa-b654f80d1c44,"Decent app on most fronts but the ""add to existing order"" function doesn't work. I've had this issues for months. I have now contacted support. They did nothing to help fix the issue. After several very obviously canned responses I was told I'd be given a $5 promo code. The only solution provided was to ""make a new order"". This defeats the purpose of adding items to an order and was a weak response. I've downgraded my rating for a lack of ability to provide any real assitance.",2,3,1716602730000,Let's discuss this further we recommend reaching out to us at Walmart.com/help,1716601323000,Walmart +27ff9b13-5aa2-4e21-a2db-08a923cd82e2,"Meets your shopping needs. Recently started glitching when i scroll. Rolls back up on its own so I've gotta stop and go back down. Used to be able to heart/save certain items were it makes and easy search but that option hasn't worked for my app in the longest time. Says not saved, please try again. Enjoy the quick shipping. Please tip your drivers!",3,53,1717848411000,"We're here for you! For assistance, please reach out to us at https://www.walmart.com/help",1717868610000,Walmart +9cc35834-20eb-4217-abe5-4d8616832c9a,"app is decent, works wonders finding stuff in store, I just wish they didn't get rid of the price checkers basically to force it's usage. The notifications are annoying and I recommend turning them off, and the constant nagging to get walmart+ has turned me off using it as often, and has basically solidified I will never be getting it again. Shady practices to try to trick the consumer into enrolling by hiding it in the order checkout screen and randomly popping up as you navigate the app.",1,9,1721000804000,"Dan, we hear your concerns and will look into taking steps to improve functionality. Leave your thoughts at: https://survey.walmart.com/app",1721001759000,Walmart +2c7334fa-8845-4666-b230-079b13fc8ca4,"Useless app, about once a week I have to verify I'm human on a never ending loop until they update again. I have to get on my computer to see my account 🙄. Not convenient at all. I'll just go over to Amazon, they have never let me down and their app works 100% of the time. I logged on to try to order from Walmart today but app didn't work so Amazon gets the business. Update: I updated the app today and wasn't able to put in an order. I think they have monkeys doing app development.",1,15,1717735763000,"Thanks for sharing your experience with us, Jody. We’re sorry you’ve had issues while using the Walmart app. Please provide us with more info at https://survey.walmart.com/app",1697945632000,Walmart +d4ce7635-9076-4043-b327-f171247bc643,The best way to get my groceries! Always on time and my order is always what I wanted. I love the way you can have the option to substitute the item or not. I use a walker and no car and this is a GOD send! I also love the coupons you can apply from the items you select. It really helps alot. Thank you Walmart for making my shopping so stress free!,5,127,1716552498000,Happy to offer options that fit your lifestyle and preferences! 😊,1716553304000,Walmart +20637e34-a152-4eb3-8afd-abf69fbf5d83,"The delivery system is ok, but the actual GPS tracking is off just about every time. Delivery arrives, but the map will be on another street. There is little consistency with it. Also, if you don't put in substitutions for everything, you get informed something's out of stock after it's too late to change it. I can only do deliveries right now. So much easier to just shop in store.",3,12,1719897689000,,,Walmart +fecdae73-2a0b-4d4c-9a1d-8ff5451a1251,"I absolutely LOVE that Walmart expanded their delivery areas! Also love the scan and go feature, just scan your items as you're shopping, put them in your reusable bags as u go. No need to take everything back out at the register, you just scan the QR code on the screen at the self checkout and BOOM! Your card is charged, your order is paid n you are free to go!!",5,12,1716858435000,Thanks a bunch for the glowing review! It's all about making your shopping experience smoother than ever! 💫,1716858741000,Walmart +22f568d8-2283-4016-bc72-4cb7f7dca779,"Walmart+ member here. I have a pickup order that I cannot find anywhere in my app to tell them I am on my way or check in for that matter. I should not have to go through my emails while driving to click the email link to my order in just to do this. But even doing that just gives me an error that I have to try again later. I end up waiting until I get to the store and having to call to check in. Oh yeah, screw you for putting sponsored product ads in ""my items"" when I'm already a paying member.",1,29,1717373326000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your issue with our App Development Team. Please provide with more info at https://survey.walmart.com/app,1688218834000,Walmart +692d0d44-84c2-4c7e-b7f2-ecdb42c507e4,"Walmart makes it so hard when they have a problem. My order was lost or delivered elsewhere and instead of just shipping me a replacement to solve the problem. I had to cancel that order. They had to refund it. Then I had to go online place. Another order only so they give me a $10 off coupon, which didn't a month to s*** It's a big pain i* t** a**",1,24,1720332250000,"We understand your experience hasn't met our standards, Tony. Let's discuss this further we recommend reaching out to us at Walmart.com/help",1720365907000,Walmart +d3f6954a-8645-43d6-a94b-d1c8a59713de,"I love walmart because everything is affordable, but they should fix the options of how you receive your item. They have 3 options which ae shipping, delivery, and pickup. The confusion is when I click ship the item, it comes from the local store instead of being from FedEx, which is ok, but the still need to clarify where it's coming from. Other than that walmart is very affordable",4,247,1717897352000,Your input helps us enhance your shopping experience. Feel free to share more via our survey link at survey.walmart.com/app Thanks for your valuable feedback!,1717898040000,Walmart +91c9d976-de54-4aee-8ba8-8c2a0dab8053,"Just ordered about $1000 on the app because I'm moving. This is aside from consistent missing items and missing deliveries. They cancel due to unusual account activity, but still drafted my account. No indication of a refund until I call, that takes up to 10 days, and I have to wait 24 hours to reorder, and pay again. WTH. Now I'm on the phone to someone God knows where who is reading a script that basically says F you.",1,0,1720482930000,"Tim, please know that we take your concerns seriously. Kindly share more information at: https://www.walmart.com/help",1720484290000,Walmart +fc3fa96d-18cc-45e8-b883-1799f8ebe542,"Ordered an item online. Downloaded the app per instructions. Received an email notification for the item ready to pick up. Responded, ""I am on my way."" Arrived at the pickup location. Opened the app to enter the parking spot. It kept running ... I had to call the store phone number for pickup! The app needs more work! I am removing the app from my phone!",1,8,1720825530000,"Danny, we value your input and will work to enhance the app's performance. Click here https://survey.walmart.com/app to share more details.",1720826105000,Walmart +7b480146-a83d-4894-9f2f-c53e0000ac08,"LOVE WM App did you know you can find anything from all over the world @ WM prices usually w/the incredible WM 90 return policy. MUCH cheaper than other retailers. Please note carefully: The line next to shipping item, tap hyperlink ""details"" be positive your item can be returned to the store near you! If not, skip it. You'll find same item you can return to store for free, WM will even box it for y! This is KEY",5,4,1716172715000,"We're delighted to have earned your appreciation! Rest assured, we're committed to ensuring your shopping experience is exceptional every time.",1716174046000,Walmart +9ca172e4-56c1-4ad2-9152-9fe54862b5b4,"Took too long, Would have been faster. If I stood online. Used scan and go, and it prompted me to go to check out and scan the barcode for check out, but the store employee went through the process of scanning the 2 item had but their hand held devise was offline. Then, at the door, the receipt checked again. The slowest process for a small tool bag and a 10-inch grass trimmer. What's the purpose of scanning and go if. have still to check out anyway. It works so well at Sam's club.",1,20,1716633753000,We'd like to know more information on the issue you mentioned. Please connect with us at https://www.walmart.com/help,1716618907000,Walmart +455c221c-5a66-4c50-83e3-df728bc23f17,"The biggest issue I experience with the app is connection issues. With a 5g connection and 3 out of 5 bars signal strength, I continually receive no internet connection messages that prevent navigation from one page to the next within the app. App seems to be ok otherwise when the pop-up message isn't preventing normal operation in the app.",3,17,1719873733000,"For immediate assistance, connect with us at https://www.walmart.com/help",1719877309000,Walmart +d01a105a-1b0c-461a-a088-0ef52da041a0,"Edit: nevermind. It was resolved. Increasing rating. Ordered 4 things including a gift that costs more than $100. I can understand having to sign for an item if it's over a certain price but now the other 3 items I ordered are requiring a signature for delivery, I'm on a nighttime schedule as well as going to be out of town off and on during parts of the day.",4,9,1720912629000,"We're disappointed for the inconvenience this has caused. If there's anything we can do to assist you further, please contact us directly at https://www.walmart.com/help",1720856058000,Walmart +c5514b03-bb78-4cb3-8346-be2a795b0dbb,"App is super easy to use! I use it weekly to order groceries. Sometimes for curbside pickup, sometimes for delivery. I have tried Safeway app to order ahead for curbside pickup. Wal-Mart has the upper hand with an easier to navigate app, a designated covered curbside pick up area, and offers a quick home delivery (for a nominal fee) in under 2 hours. Sorry Safeway - you might have better produce, but Wal-Mart has better game!",5,8,1720740619000,,,Walmart +1e24fad4-6508-4e7a-9f49-bb31365a3298,"A horrible app with terrible user experience. Whenever I am chat with customer support agent of when I am tracking my order for the live, the app immediately shows an error message as soon as there's jitter in the Internet connection. The app shouldn't be showing an error message, rather it should keep showing the last conversation point or the last know location until the Internet is stable.",1,6,1720317940000,Reach out to us at walmart.com/help to get assistance with your concerns. We're here to help!,1720359590000,Walmart +432bec3c-ec18-418a-b2b0-f6fa78a98589,"Do not recommend, such a disappointment! I got the app and bought a Month of the subscription. Immediately it wouldn't load pages. Then the canceling of my orders!!! I ordered a bunch of things for delivery. My first time ever using the app or delivery. It canceled my order ""due to suspicious behavior"". I called the service line and they said it was fixed. I had to wait 4 hours to order again. AND THEY CANCELED MY ORDER AGAIN! Could not recommend less. I can't use delivery, useless subscription.",1,7,1717309717000,"Thank you for bringing this to our attention. We are dedicated to improving the user experience. For further assistance or inquiries, please feel free to contact us at walmart.com/help",1717310795000,Walmart +dbbb01c8-4bec-4a9d-ae50-21797a1643f3,"Walmart IT infrastructure is trash. Had to use Pickup for the first time because Walmart website told me one item is available in two different locations, but when I went there, there wasn't any. Then Walmart app told me the item is picked ready for pickup, then canceled my order while I was on the way. I then chatted with the service agent named Hasnain, then he proceeded to tell me ""the app misguided me"". I screen shot the entire conversation. I uninstall Walmart app and won't use pickup again",1,0,1717132877000,Kindly allow us to rectify the situation and improve your experience. Get in touch with us at: https://www.walmart.com/help,1717131166000,Walmart +b9f17d27-0cce-4d5e-8321-c3c8c6a09589,"The app itself is ok, but for the last 5 months, it says you have walmart plus(which I do not) I've been on the phone multiple times to get help. No one knows why it keeps saying it. If I try to sign up, it says I have it. I cleared data and cache. I un-installed the app 2 separate times. It's pathetic that one of the richest company can't even fix this lol. They left a thing for me to get help, and still couldn't fix the problems lol",1,23,1717207718000,We're here to assist further with the issue you've encountered. Reach out to us at https://www.walmart.com/help so we can gather more details and provide the best support possible.,1715932049000,Walmart +74b4f987-1f10-4e00-a90f-3d3a56aa65e9,"It's funny everything goes down at the same time with Walmart 1) the app, 2) call center capabilities and 3) their web site. Now I'm going to get an unrelated substitution for an item I don't want that's far cheaper then the item I paid for, and I have no idea of wether or not I've been compensated/reimbursed for the cost difference. All because Walmart indicated they had an item I needed at the store(s) which they didn't (physically checked 3, none had it), ready for delivery (nope try again).",1,11,1717373672000,"We're eager to address your concerns. Get in touch with us at walmart.com/help to discuss further. +",1717383241000,Walmart +b4152eec-2828-4b81-8370-89c6e30962e2,"I use the app all the time. sometimes I use it like a shopping list or times I place pick up orders. I wish when you did the pick up orders you could put in preferences like ""green bananas, no brown or hard tomatoes"" otherwise I truly believe they choose the worst produce on purpose.",3,1,1719842174000,"We appreciate your suggestion for adding produce preferences, Kim. Fee free to share them with the store here: https://survey.walmart.com/?walmart-store-core",1719843551000,Walmart +1eb3da10-39f5-4146-ad3f-65804ed9ebc1,it's stupid that you can buy stuff online and pick it up in the store but if go into store to buy the exact same thing it costs more. it's inconvenient to have to order a game or some thing online and wait two hours when it's right there just to get the sale price. And obviously they don't read these and just add a bs generated response to them.,1,0,1716258793000,"Totally get your frustration! We're all about convenience, not extra costs. Please provide us with more info at https://www.walmart.com/help",1716258706000,Walmart +d20bc24f-7a70-433a-9e20-182cc3ef2bd7,"definitely issues in the pick substitution sections. always freezing upn losing my selections! It is now 05/18/2024...I tried to leave a new review but could not locate place to do so on here so I guess I'm editing old review lol! Still got issues but now it kicks me out of my search for individual items and I have to close app, reopen app to search. Happens alot! Already installed new updates! It is not my phone or internet service issues either! Just walmart's app! Smfh",1,4,1716090148000,We regret for the pick substitution issues. Walmart is working to fix the app glitches. Please try updating the app or contacting customer service. Please contact us at https://survey.walmart.com/app.,1703042691000,Walmart +9f0c3170-d965-49f7-a49e-9dc0f03f67f2,"Horrible. Nothing works AND it's slow! Just get to the store and call the number like we had to in the 90s (no answer there either). LITERALLY every time I have downloaded this app it has been a waste of time. Still gotta get out of your car, and hunt someone down for grocery pickup, and hope they actually work for Walmart. No difference from webpage. Actually a lite version of the former. F-",1,7,1720581731000,"Your input is valuable to us in improving our service. Please reach out to us at https://www.walmart.com/help, so we can address this issue and work towards a solution.",1720581281000,Walmart +f2c6f04f-9164-4d96-94e1-adf82b0ae18d,"Hey Walmart, I'm having a long term, continual app problem. While using my app, the app stops working, multiple times for each use. I've cleared cache, data, uninstalled, reinstalled, restarted my phone, updated, signed in and out for many months, with no luck of solving the problem myself. I'd appreciate it if someone would Please help to solve this problem. Also worth mentioning, there seems to be a limit for favorited items, as I'm unable to add to the list without removing others.",3,14,1717029651000,We're here to assist further with the issue you've encountered. Reach out to us at https://www.walmart.com/help so we can gather more details and provide the best support possible.,1717031186000,Walmart +8aed5fd0-e0b4-4f66-8699-afeaf02f20f6,"Even if you have a debit card on file, you still cant add a driver tip when you pay in EBT. It's insulting to the customer and the driver. They still have their hidden fees that they don't hit you with until you've already paid, and their app prices cost more than in-store prices. Beween fees and the jacked up prices, you pay more than twice you do in-store. As a disabled person living on a tiny, limited budget and not being able to drive, it makes it hard to afford this service that I need.",2,23,1716221830000,"We apologize for any inconvenience this may have caused you. Please contact us at https://survey.walmart.com/app +",1702201502000,Walmart +7f28bc66-5894-4198-9958-8deeaf6ca5d3,"Pushing your brand logo made it slower. Now that it has to first show your ""yellow star"" symbol, and after that the ""welcome to your Walmart"" screen, your app takes forever to load, and people are not about that. If they're trying to quickly choose between Walmart or something on amazon, as slow as your app loads, they're just going to stop and go to amazon, like I did.",3,70,1717394287000,,,Walmart +7639803a-fabf-4474-b5ef-bf0934347400,I am reviewing this app for use on a Samsung Galaxy tab S8+. Everything works great with one except. There doesn't appear to be a provision to run it in landscape mode. I also don't appreciate automated responses when I'm simply informing Walmart of a lack in their app. I've been to that site in the past.,2,7,1716341922000,Could you please get in touch with us at walmat.com/help We're here to help.,1716340735000,Walmart +ade945e5-ea42-4f65-a8b8-592f2d63afce,"I really like the delivery option. Some shoppers and drivers are better than others though. I have occasionally received warm items that should have been frozen and have had bought items not delivered. Walmart did refund me for the undelivered items. I also understand, the driver may not have A/C in their car. All in all, its great. Free delivery for members.",4,0,1717463351000,"From warm surprises to missing goodies, we've got your back for a top-notch shopping journey! Feel free to share any other details/suggestions here: https://survey.walmart.com/?walmart-store-core",1717464721000,Walmart +0e510325-cbd8-4c37-ab14-d7f081447720,"The website is not intuitive in a few areas so I find myself bumbling around way too much. It's too cluttered and not great for those with reduced sight. I used the website on my Samsung Android with Chrome I think and it had problems if I tried to zoom in. Also, sometimes the page I was scrolling would snap back up so I'd lose my place. The shopping cart is not good either.",3,1,1722082304000,"Your insights are valuable to us, Gina. We're committed to enhancing our website's usability. Share your input at: https://survey.walmart.com/app",1722397357000,Walmart +e40ce682-d28b-4e8f-bbd2-d8009d759faf,"It feels more like a decent alternative to Amazon than does Walmart, which is pretty chill. You can probably find anything that is in the store as well as many other items. Products can be shipped to your nearest Walmart as opposed to your house, which is nice. The biggest problem is that you will often need to return items from my experience, whether they are clothes that don't fit or food that is outdated. Returns are super easy, though, so that's not much of a problem.",4,0,1716604092000,,,Walmart +ee9d4b6f-488e-4630-b945-6c3b1fb41b5e,"One thing that constantly irritates me about this app is that it's near impossible to swap from your ""home walmart"" to ones in different cities. I travel a lot & I need to check if items are available in different cities that I am not currently in. The app runs on which one your location says your closest to. It is infuriating. Especially when you try to just go onto the browser to search & it REDIRECTS you to the app. Fix this for heavens sake. I want to be able to select the city I need easily",1,46,1715816230000,We aim to address this situation for you. We encourage you to contact our dedicated support team at walmart.com/help for tailored assistance.,1715816847000,Walmart +26688c65-2a42-4ccc-9333-66416e3ec60d,"Ok to buy from, but terrible for leaving a review. The app has many products that the store doesn't have for sale. It's a little confusing. Some of the products that you wanna have delivered may have a delivery fee even if you purchase more than $35 worth of items combined. I hate the fact that you can't upload a photo, and even if you do upload the photo, it's never shown. They really need to update that part. people want to see what the complaint or praise of the actual Item looks like.",2,172,1710873024000,"We appreciate your detailed words! We regret for any confusion and inconvenience. Your insights on product availability, delivery fees, and photo reviews are valuable. Please contact us at https://survey.walmart.com/app +Please contact us at walmart.com/help",1710874761000,Walmart +86379319-50e3-4670-a7ed-4ea67e2d8e6f,"I love looking stuff up on here and finding the location within the store. I would put five stars but they need to update their pick-up area on the app. I hate that I can't put notes or change the quantity of the substitution, it automatically puts a quantity for the substitution and it costs more if I get multiple. I would love to put notes for veggies, meat and other items.",4,282,1713003974000,"Absolutely, your words about the Walmart app is invaluable! It’s great to hear that you find the store location feature useful. Your suggestions for updating the pick-up area, allowing notes, and adjusting substitution quantities are noted. Please contact us at https://survey.walmart.com/app",1713005344000,Walmart +09a2c654-4299-468a-a089-f877ac6f24b3,"Edit: list button was finally added! Yay! So I added two stars. But now the accuracy for items in the store is worse. And the price scanning option won't give me prices. It just keeps telling me, ""This item isn't available."" Doesn't matter what the items is. So I can't add anymore stars till that is fixed. 11/26/22 update: scanning items has gotten better but still not entirely fixed. Edit 2 5/5/24: now the history is messed up. It won't let me see it. It keeps saying I have to sign in again.",3,610,1714957593000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1674874494000,Walmart +8cb60f0f-d61e-485d-8b8d-3edab0d5ddac,"The app is very buggy and has poor product photos and often incorrect nutrient information. Half the time, it won't even let you check out. It just logged me out, clearing my cart. When I tried to add items, it flashed a popup that it was having technical difficulties. The app shows items are still available, even when the late order notification says it isn't.",1,106,1712947856000,"We're actively working on improving the app's stability and resolving bugs. If you encounter a popup indicating technical difficulties, please try refreshing the app or restarting your device. If the issue persists, connect at https://www.walmart.com/help.",1712950835000,Walmart +45dbbd28-de43-4ee6-b948-308ec543439d,My account was suspended for return policy violations. I've returned 1 item in 5 year. It was a smoothie blender that broke. It has taken me almost a year to get it straightened out and numerous contacts with WM. Am trying again as I gave up. I was regularly shopping online before. I have been avoiding WM as much as possible. Lots of other options. Many less expensive with more variety.,1,94,1713496276000,"That doesn't seem right to us, Renea. More details can be shared at: Retrieving data. https://www.walmart.com/help",1713497120000,Walmart +1c181466-895a-4791-b8c1-61a7f1eae6f8,"Deceptive pricing for delivery. Free until checkout while I was shopping, then at CHECKOUT split into 2 orders - 1 shipped (free) and 1 ""delivery from store"" for a $9.95 fee. Nothing I bought was time-sensitive so I was fine with shipping for free, but that option disappeared. Canceled items and bought from Amazon and Target instead because both have a very straightforward checkout system. Pricing is usually fine at WM, but their checkout process is way too hosed up to be worth the effort.",1,76,1709885132000,We regret the confusion over delivery pricing. Your words is crucial for us to enhance transparency in our checkout process. Please contact us at walmart.com/help,1709886707000,Walmart +017b0992-2b4d-4dd1-959e-a11b96c57b27,"Worst shopping app. Puts ads in ""my"" items, has grossly inaccurate search results, can not handle search terms of more than one word, every suggested replacement to my usual purchases is considerably more expensive, they change products frequently without notice, so once you get to like something, they sometimes discontinued it. regular items, particularly grocery items, go out of stock for long periods of time. If any other store was close to me, I would stop shopping at Walmart. Bad for buyers",1,67,1713044570000,We're disappointed to hear about your experience. We're committed to making improvements. For further assistance or to share more details please connect with us at https://survey.walmart.com/app,1713046756000,Walmart +50c82431-92a8-4ef6-a4b3-fac83e2644de,"I always shop for my groceries on this app because I have agoraphobia, so going to public places causes so much anxiety that I can't concentrate. I have one problem with the app. The main page keeps popping up every few seconds. This makes it difficult and frustrating while trying to focus on what I want to order. Walmart, can you fix this bug? I don't want the main page to pop up unless I actually click on it.",2,50,1710446384000,We’re glad our app is a helpful shopping tool for you! We understand your issue with the main page issue and appreciate you bringing it to our attention. We’re always striving to improve. Please contact us at https://survey.walmart.com/app,1710449649000,Walmart +2f546b8a-4110-4be9-ba86-ad33775e0bb7,"I like the ease and use of the app; I have almost completely stopped using Amazon or Instacart to order groceries since switching to this app. The prices are affordable and lower than almost anywhere else in most cases, and occasionally you get credit to use on future orders. I like that I am able to search and directly select my substitutions, even if they aren't initially listed. My complaints are w/ food mis-labeled as not EBT eligible, which happens frequently w/some, & the new bag fee.",4,575,1713838302000,"Jenna, it’s always a plus when you can save on your orders and even get credits for future purchases. Share your thoughts with us at: https://www.walmart.com/help",1713839496000,Walmart +dc133a14-a7ef-4301-b784-a9f4abf54b5e,"Every time the app gets updated, it seems to be less efficient, and more likely to be problematic. What's up with that?! SMH The above comments were from a few years ago. Since then, the updates actually improved the app... until now. The latest update made updating orders more difficult, and I've yet to see an improvement anywhere else. It's frustrating. When you're dependent on ordering online, this kind of thing really matters. I CAN'T shop in person.",2,33,1713451689000,"Kindly let us know more info on the app issues you mentioned, Cynthia. Please connect with us at https://survey.walmart.com/app",1713464119000,Walmart +5288d214-d8ef-4803-92b2-bb449855e488,"I've been a plus member for 2 years now and pay annually. I will not be renewing this time. The fact that I have to individually select each item for cash back is bogus. Sam's offers the same type of program, and they automatically give you the cash back on qualifying items. And I know free shipping. It's not on everything. Even when I do specifically check the items for cash back, I still don't get it. CS says the store will fix it. The store says they can't. The blame game, no surprise there.",1,37,1714374500000,We're here to ensure your experience aligns with our standards. Let's work together to resolve any concerns. Reach out to us at walmart.com/help for assistance.,1714375462000,Walmart +dacabab3-c580-4904-ae9c-03715c8f2bf3,"This app is an easy way to order items you need. A vast amount of items which you cannot get in the physical store. Just be sure to check at checkout, before you hit ""place order"", to make sure it shows up the way YOU want to receive the items. There are the options for Pickup, Store Delivery, and Shipping. I've found it to put the wrong thing in for what I wanted. 🤔 i.e. Pickup instead of Store Delivery. Otherwise I think this app is great! I highly recommend it. 😁",5,1116,1713758393000,We’re thrilled you’re finding our app easy to use and helpful for your shopping needs! Your tip about double-checking the delivery options at checkout is spot on. Here’s to more great finds and smooth shopping experiences with us! Please contact us at https://survey.walmart.com/app,1713759165000,Walmart +59d72e1c-03a0-4719-b8be-1689312d4b75,"App's ability - probably 3 stars. Schedule service, in store inventory (meh), scan UPC. App's usability - 0. If I search for a battery for my lawnmower, I don't want you to tell me there are no results that fit my car. I want you to remove the car when I select that option, so I can see those results. If I search for a U1 battery. Showing me the U1P and U1R (not shown) are likely relevant results. The myriad power sports batteries (shown) are not. It's an app that tries to run but can't walk.",1,226,1708862851000,Thanks for sharing your experience with us. We regret you’ve had issues with the application feature. Please contact us at walmart.com/help.,1708867438000,Walmart +40a55d19-e4ad-47f2-858a-53654a68dce0,"I always compare prices from Amazon and Walmart. Walmart is becoming more and more competitive every time. If the prices are the same, I ALWAYS purchase from Walmart because I hate Amazon and would love to never use it again. The cost savings of using it almost make life without it impossible due to limited income. Walmart's app is becoming easier and easier to use and had very nice features, like add multiple to the cart with a single tap. Keep it up Walmart!",5,962,1709684807000,,,Walmart +e074dc33-a779-421d-af54-24fafa83a0e3,"Great App! Super functional and I've had no issues. The only thing that I wish would change is being able to make multiple payments via Walmart Pay, like a gift card and debit card. Other than that, this app is one of the best! **Update** - not being able to use multiple payments for Walmart Pay might have just been a glitch when I tried it. I used 2 gift cards to purchase some items via Walmart Pay and it worked perfectly fine! 5 stars!",5,78,1708975251000,Thank you for your awesome review! We’re thrilled to hear that you love our app and find it super functional. We appreciate your words on Walmart Pay. Please contact us at https://survey.walmart.com/app,1708124172000,Walmart +47eb5625-c00f-4d55-a780-3828b5717a51,"Previous version was slow, this newest version April 9, 2024 is even slower. After the update, it wouldn't open. I had to uninstall/reinstall. I used it for a grocery order that should've taken 10 minutes, but it took over 20 minutes. Navigating, selecting items, the wait time is agonizingly slow. You would expect better for a multibillion dollar company",1,50,1714372289000,"We value your experience and want to ensure it meets our standards. If you have any concerns, please don't hesitate to contact us at walmart.com/help so we can assist you further. +",1714373099000,Walmart +f5ee3427-f345-4b26-aeef-849464035054,"My number one complaint is that the app does not allow you to select a thickness of sliced deli meat and cheese. The vast majority of the time, the staff make super thick slices for everything (easily well over 4 on the 1 to 5 scale). The ability to have multiple different shopping carts and the ability to save them would also be a game changer. Shopping lists might work, but only if you give totals for each list.",3,253,1713351736000,We appreciate your valuable inputs regarding our app. Please tell us more details about the same at https://survey.walmart.com/app,1713375479000,Walmart +ff97e61a-052f-47df-9fc4-1a67b5133c2d,"Stop redesigning the app! Put the fuel discount front and center and LEAVE IT THERE. Oh, and speaking of the fuel discount, please fix that as well. It can't seem to remember if I'm enrolled or not, and that doesn't instill a lot of confidence. Everything else seems to function well, but the main reason I have it on my phone is increasingly frustrating.",3,140,1711353039000,"Ensuring a seamless experience, including easy access to the fuel discount and reliable enrollment status, is important to us. If you encounter any issues or need assistance with the fuel discount feature or any other aspect of the app, please connect at walmart.com/help.",1711354057000,Walmart +1896a154-3041-496c-ae56-70029c73e14e,"App is broken, search doesn't work. Scan works in store. Most of the time if you input a lookup, the app opens Chrome and goes to the Walmart website. And then it offers you to open the app. You can never really input something you're looking for and then have it look it up and tell you whether or not it's at your local store or online. It just goes to the main page. You get what you pay for. Uninstalling and going back to amazon.",1,8,1711515479000,,,Walmart +2e6943fc-bceb-479e-a776-e02a1178755c,"The app works great and is easy to order items for pickup and delivery. I only gave 3 stars because a lot of times the items listed (that say they are available) end up being out of stock! this is especially annoying because then you end up with a half order or replacements you didn't really want, when you could have gone elsewhere and gotten all the items you wanted, in one shot!",3,244,1713067449000,"We can understand your point about the issue, Zac. However, for further assistance we'd request you to please contact us at walmart.com/help",1713070632000,Walmart +01013db5-2bcf-4086-9459-fb6e6ecffb6e,"Scam alert! Be very careful with misleading pricing. I pay for Walmart+ which gives me free shipping. Every time I place an order lately I'm always missing an item or two. Then you go in and amazingly enough it's available. So you put in that couple of items that were missing. Now, they either get you to increase your order to a $35.00 minimum to get what ""they"" missed, or they charge you a $6.99 delivery fee for getting your missing items out to you. Does this sound like a SCAM to anyone else",1,439,1710106757000,We'd certainly like to look further into the issue you mentioned. Please connect with us at https://www.walmart.com/help,1710119587000,Walmart +32f53d9c-dd8c-490d-8d0f-71481932ea7b,"Walmart is good for budgeting for food etc. There are constant two difficulties with the app. 1: If you have some items that are available in-store as well for shipping, Most likely it would be changed to pickup when you don't want it to be. 2: While you're checking the status of certain items, the app will say that it's 'out of stock' when the items are still available. Not sure if these are bugs in the app though, maybe some improvements would be good? Thanks :)",3,222,1714004410000,"We're always striving to make our app more user-friendly, and your input helps us do just that, Abigail. Please share more details here: https://survey.walmart.com/app",1714010324000,Walmart +0644ee96-4e6e-43fd-9f3b-c223bf1e0d78,"The Wal-Mart app is good for the most part, but one bug that I found is when I try to select substitutions. When I search for a similar item it kicks me out of the substitute section, and I have to start over. I noticed it does that even after I hit the select button for a substitution. I had to select the done button after each item or it wouldn't save. Also, when selecting substitutions, it doesn't show all available options for a product that I just saw when I was adding items to my cart.",4,845,1709707436000,We'd like to assist you further. Kindly contact us at https://survey.walmart.com/app if you're facing any issue with the Walmart app.,1709709231000,Walmart +5e93e2f1-2eeb-4a58-a902-691d1fdb989f,"They often don't have what you ordered or a suitable replacement by the time they fill your order even if you pay for express delivery. Overdone, counterintuitive, and difficult to navigate app and site. I have given this corporation almost a year, and I am done. It is more stressful than just going to the store. I will be canceling my membership before the renewal date. I am currently looking for an alternative. I should have known better than to trust Walmart.",1,39,1709009310000,We regret for the issue cause to you by not receiving the right items. Please contact us at walmart.com/help.,1709010337000,Walmart +f92567c7-c329-48c5-8ae1-768d18982e26,"Very cumbersome. Also very easy to get ripped off. Items I have purchased are kept in a list with a little blue reminder of how many times I have purchased this item. However it can easily change from the one delivered for $2 to one shipped from XYZ Co for $27.50. There are several settings that should be part of the profile. For instance if I don't want substitutions I don't want to tell you each time,if I went thru the process of setting up the round up again I don't want to tell you each time",2,136,1709433360000,"Thanks for sharing your experience with us. We totally understand your concern. The pricing depends upon a lot of factors like distance, weight and availability. For further details, please contact us at: walmart.com/help",1709435677000,Walmart +adedd3f2-2e03-4d0f-a7ec-4e5c36f91e71,"I don't know about that, App user Keith Pearce 4-8-24. I was using the Walmart Pay feature in the store on 4-19-24 to pay for my items. Intrusive popups started getting in the way of trying to use the feature. One wouldn't move if I didn't check the box ✅️ to agree with the new privacy terms. Well, that's what I thought. I found out later via email 📧 I signed up for Walmart+ & was charged $12.95?!? 😯 I immediately called for a refund. It took me (5) calls to get the right Representative😡",3,30,1713674051000,Let’s make sure your experience is seamless and hassle-free Dan! Get in touch with us at: https://www.walmart.com/help,1713661234000,Walmart +68e1026d-14fd-4464-80d5-ffb337eed8bf,"We used this app for pickup for the first time yesterday. Online ordering, when smooth enough. Then the fun started got the substitute product for two of my idems one was just fine the other was not even close. It was a $1 pack of bubbles they substitute for a 3 dollar bubble wand. It took my husband 2+ hours to do the pickup. Cause the app didn't recognize that he was there. Then, the only way he got the order was by calling a person cause you couldn't go in and get it. NEVER AGAIN!!",1,43,1711874482000,We really regret to hear about your first pickup experience. We’re committed to making things smoother for you. Please contact us at https://survey.walmart.com/app,1711876846000,Walmart +807b4be8-dab7-4b37-8366-56f083856f19,"Just commenting on the app in this quick review, not any specific Walmart store! Overall the app is fairly well designed, and definitely easy to use. It's so easy to pick out what you want and place an order. The order tracking works well too! Also, the few times I've needed to talk to someone re: app/order issues, they're typically very good at fixing any issues I have, and usually find a way to make up for it in a little way. I usually don't rate 5*, but they deserve a solid 4 1/2*!",5,286,1708733011000,Thanks for sharing your thoughts on the Walmart app! It's great to hear you find it easy to use and that it's been helpful for your shopping needs. The fact that the customer service team has been responsive and accommodating when you've had issues is definitely a plus. Your 4 1/2 star rating speaks volumes about your positive experience.,1708734463000,Walmart +6bc90e96-097b-4b06-953c-925384fd1909,Damn near 3 years later and this is still one of the worst shopping experiences I've had online. The only app worse than this is Home Depots. It's buggy. It's laggy. It doesn't give you what you type in but then shows you exactly what you typed in in suggested AFTER telling you what you typed in doesn't exist. Wanna add a new card? Good luck. There's always an error. Wish I could give zero stars. Oh and now it won't let me check in without sharing location.,1,58,1712038098000,Thanks for sharing your experience with us. We regret knowing about your experience with online shopping. Please contact us at walmart.com/help.,1711973958000,Walmart +7294071d-0f8b-4bf9-97eb-2f49c3b84245,"Love Walmart+! I can order any product I need (no minimum), get free shipping & fast delivery. It not only saves me a trip to the store but also gives me a much wider variety of choices online. There are other perks that come with the membership as well. Additionally, their annual subscription is less expensive than other options. I'll definitely renew when the time comes.",5,340,1712793119000,It makes us very happy to hear that! Knowing that you're finding value in Walmart's services provides an amazing feeling.,1712798939000,Walmart +268a2485-340d-4e81-9a9e-5aa4350fbc59,"Buggy. And often times it says out of stock, but you to store and it's right there on the shelf. Can take up to 10 days or so to get refund on cancelled or unavailable items. Also some drivers will deliver to wrong house, so always request signature. Also resolving small problems through tech support is a nightmare that can take days. Absolute trash app. I am uninstalling and cancelling my subscription. Can't even do the basic thing of changing an address on an order.",1,39,1709361952000,Thank you for bringing this to our attention. We're sorry to hear about your experience. Please contact us at walmart.com/help for further assistance.,1698441243000,Walmart +622469f9-5daf-4880-b61d-8f3d8afe62e1,Terrible! Terrible! Terrible! This is the second month in a row the app has glitched out this time costing me $188.31. It goes to blank screen and you think that the oder wasn't placed; it doesn't show up in your shopping cart. So When I added it to another order it show up in the original order. Canceled immediately and they shipped it anyway even though their representative said it was taken care of. Ended up with two of the same order.,1,482,1709414202000,"We hear you loud and clear! Your words is crucial in helping us iron out these glitches. Here’s to a smoother, glitch-free Walmart experience in the future. Please contact us at https://survey.walmart.com/app",1709415970000,Walmart +0b1824a6-ad8f-43a6-8cca-e3b68d5bd9e5,"Hi, Walmart App Developers!💙 Re: Saved Shopping Lists: ◾Can we be allowed to have [more] personal saved shopping lists, so that we can have our categorized lists ready for shopping? (Not talking about the 'saved for later' shopping list while putting stuff in shopping cart, -- we enjoy that, too!) Example: personal shopping lists that we make for: ""household items""; and ""hair products""; & ""garden,"" ....etc., -- Give us, at least, ADDITIONAL 6 more lists. Please, will ya? (5⭐ incoming) Thanks!",4,0,1723146684000,"Here to help! Please share more with us at https://survey.walmart.com/app, so we can assist you better.",1723155531000,Walmart +cfe3d90e-6d84-4a8b-a16c-cd52d151ee9d,Pop ups Really??? Pop ups need to go. Obnoxious does not begin to describe it. I got charge a membership I did not want because of it that I can't seem to get a refund on. Just stop! Updating review: It is still bad. The app wants to try and upsell you by popups. Popups are still terrible. The app is not there to service the customer it is there to try and sell you more. Walmart is platform decay... They are trying to wring you for more money and track your habits. Not compete for your money.,1,46,1711681964000,"Thank you for the feedback, Gabriel. We're sorry you've had trouble with pop-ups while using the Walmart app. Please provide us with detailed description of the issue at https://survey.walmart.com/app.",1695262685000,Walmart +11974579-c5b4-4934-94a3-d7ff4362d636,"Even Instacart has a button you can press to contact the shopper regarding your order. I constantly receive wrong items, even though I specify what item I would like, IF, an item needs to be substituted. Also, I know full well that the item that they are substituting is sitting right on the shelf, they're looking in the wrong place. I'm about to cancel my Walmart + & shop somewhere else with Instacart. Why doesn't this app have a button to contact the shopper?",1,36,1708835663000,,,Walmart +7e76dd2d-8f68-43aa-bd38-41f107ab1597,"I've been shopping this app once or twice a week for several years now and this app has not changed or improved at all in that time. I'm still baffled by the layout and content when I search something somewhat vague (say cookies) and find myself scrolling down through hundreds of options (it seems) except that at least half of the items are duplicates of duplicates and now I've seen chips ahoy 16 times and I'm so aggravated, I just want back to the top... but where's the back to top button? grr",3,29,1711078858000,"We'll definitely take your input into consideration as we strive to streamline the search process and reduce redundancy in our listings. If you have any further suggestions, connect us via https://survey.walmart.com/app.",1711079741000,Walmart +55a271f4-ab9a-4389-8221-d5d155181fcf,"This used to be a great app. I even deleted my 5 star to replace it with one star! I used to recommend Walmart+ but now with the app problems I no longer do. It's beyond slow, it freezes and it CONSTANTLY says technical issues. It's getting real old. As far as shopping, most employees do a good job. No one checks dates so be prepared for expired or close to. And every single order they are out of something. If items are popular why not increase inventory?",1,47,1712349663000,"We're actively working to resolve these issues to provide a smoother shopping experience for our customers. We'll review our inventory management processes to ensure better availability of popular items. If there's anything specific we can assist you with, connect us at https://www.walmart.com/help.",1712359428000,Walmart +5ab032a5-86e1-45a5-855c-4464507a7c7d,"I love not having to go in-store for groceries, pick up is my go-to nowadays. App is easy to use. Only issue is sometimes an item says delivery only when it's something that normally isn't, ex. a carton of chicken broth. And then next time there's no issue with it. Glitches happen. But I am very happy with the Walmart app and their online order/pickup option. Life is easier.",5,654,1714614332000,We're committed to making your shopping experience even better. Reach out to us at: walmart.com/help so we can assist you further.,1714614770000,Walmart +68c30749-87d8-43f1-9e4c-5671d816932b,"I enjoy shopping at Walmart online. I avoid the crowded aisles, bypass the long lines at checkout & can shop wherever I am at the time. It is most convenient when I have a long to do list, or are pressed for time, or when I just don't want to get out for the day. I love the online savings as well. Because some things you just don't find in stores and some merchandise is marked clearance only for online purchases. Walmart really makes it easy for online check out as well!!!",5,3,1719886821000,Sounds like you've mastered the art of online shopping!,1719889172000,Walmart +43d48943-855b-41e8-8cb8-bbaa608392c3,"The Walmart app is a convenient way to shop for groceries, household essentials, and more. It offers features like in-store pickup, delivery, and mobile checkout to save you time. You can browse products, check prices, and even build shopping lists with the barcode scanner. While there can be occasional glitches with substitutions, the overall functionality and savings potential make this app a worthwhile download for Walmart shoppers.",5,129,1710592030000,We're glad to know that you find the app's functionality and savings potential worthwhile. Thank you for choosing Walmart.,1710592637000,Walmart +58fb8534-f289-40b1-99a3-15fc35a5060a,sometimes very good. and sometimes I find as much as half my order is missing and still charged for it. I half to call to get the charges taken off. It's just a hassle. the site is good but I may change the amount of a item and it doesn't register on your end so no use at changing amounts. Am homebound & still am greatful you deliver!,3,4,1715914820000,"We're committed to ensuring your satisfaction. If you have any questions or need assistance, please don't hesitate to reach out to us at https://www.walmart.com/help",1715919805000,Walmart +7c242f48-4a57-4259-9c4a-3057bbbd181c,"Extremely convenient. However, after reading some of the other reviews I realized how often I've ran into the same issues. Correct me if I'm wrong but some of the items are not sold by Walmart but other vendors. A few months ago I purchased a ""like new"" ""unlocked"" galaxy device. I was very pleased with the condition of the device. Unfortunately when my existing carrier ran the imei # they told me the device wasn't compatible with their network. So who's at fault?",4,6,1712404947000,Convenience at your fingertips.,1712376812000,Walmart +bffc8726-2531-4312-9f30-caf30806262d,"Edit#2: The link you provided is no longer available for me. 1) This app changes the store selected for delivers from the Super Store you want to the closest Neighborhood Market. The problem is not with the stores involved. The problem is that the app makes changes the store selected. 2) The app does not allow me to change the item count on the substitutions I select. Again, the survey didn't allow me to provide more information about the app or my device(s).",1,30,1714388766000,"Thank you for notifying us of this situation. Our commitment is to consistently improve user satisfaction. We encourage you to share more details through the provided link (https://survey.walmart.com/?walmart-store-core) so that we can better understand and address your needs. Your input is valuable, and we look forward to serving you better.",1714368755000,Walmart +bd80a424-20ff-42df-8dad-c078d7b0d74b,"They tryto compete with Amazon yet 100% of the time 3+ items are out of stock, or shoppers mark things unavailable in depts they don't want to walk to. I've gone to the store 3 X's to find the exact item right where it should be, shelf full. I hate Walmart. I tried Walmart Plus in hopes that I could avoid going into one of their stores, but it's so unreliable it's pathetic. Don't expect them to care, they cut caring more with each 3¢ price rollback. They've killed customer service.",1,47,1713923494000,"We’re actively working to ensure product availability, Jon. Reach out to us at: https://www.walmart.com/help",1713924560000,Walmart +67b473d8-81bb-47bf-a8ae-0b10b3de7516,"Ordering online from Wal-Mart is easy to use. I save money buying online instead of going to the store. When I go to the store I am surrounded by items that I would like to eat sometime. Having to select each item, I am not overwhelmed by the items that I might want to eat sometime. Both the pickup curb side is so easy. Having them delivered is a God send. It's just a great way to save money, convenients.",5,30,1711247914000,It's wonderful to hear that you find ordering online from Walmart to be easy and convenient! Happy shopping!,1711249391000,Walmart +28b5421e-1e9a-4027-9ea0-fd39713b2005,"It's a well-designed app. It's easy to use for product searches and reviews, to tell you if a product is available in the store or nearby, to view past purchases and initiate returns, for Rx reminders and curbside pickup. The Walmart app spams your phone with annoying promotional notifications. What's the point of promotions at Walmart since everything has the same everyday low price? But it's easy enough to disable the marketing notifications category and still get all other notifications.",5,137,1709397991000,Great to know you enjoy our app’s versatility! Your feedback on notifications is noted. Enjoy your Walmart shopping experience! 😊,1709399159000,Walmart +846e07db-19cc-4d7a-bef7-c1f0afda0d85,"The app was fine before, but now suddenly the search bar was relocated from the top to the bottom of the screen? I keep accidentally clicking where the old search bar used to be, and accidentally opening the ""address preference"" box which is now in its place. The search bar really did not need relocating, it only makes the app more frustrating to use.",3,165,1709882407000,We regret to hear about the inconvenience caused by the app changes. Your feedback is crucial for us to enhance your shopping experience. Please contact us at https://survey.walmart.com/app,1709886484000,Walmart +aeb4850b-7dc8-4a39-8ebe-0fd4589dfa64,"Constant reminder to restart the Walmart subscription! STOP. If I want to restart, I will. But the full page annoying reminder is enough to uninstall this app!!!! Update: this is a very invasive app. You can NOT use curbside pickup without sharing precise location. Plus the stock availability is wildly INACCURATE!!! AND I HAVE COMPLETED NUMEROUS SURVEYS WITH NO RESULTS.",1,6,1716065896000,"Your input is valuable to us, Renee. We're here to enhance your experience. Please provide us with more info at https://survey.walmart.com/app",1713753980000,Walmart +2d72c00a-8621-4f9d-b1e6-7768c1de6a24,"They trashed the online ordering & pick up. It used to be so easy to find everything you needed, but they cluttered it like crazy. After 10 mins, I had 4 items out of the 50ish I'd normally buy. The new app design literally makes it take longer than actually shopping. Worthless. I can't even imagine how many customers gave up like myself. Thankfully Meijer & Hy-Vee & jewel have better options.",1,67,1709438037000,Thanks for sharing your experience with us. We’re remorseful to know about the issue you faced while using with the Walmart app. Please contact us at walmart.com/help.,1709439662000,Walmart +c0cc7527-dc7b-40d4-a5ce-56b20075ca93,"App is somewhat ok, delivery service is trash. Not worth the membership 4/5 orders get delayed after they're marked as ""on the way"" for over an hour and you dont get a refund even though you paid extra for faster. appointment for them to be there and its always 2 + hours later so if you have something planned you have to cancel. Not to mention they never get the order right, always getting charged for things that didn't show. Also my account was hacked before so I wouldn't say it's secure. 👎",1,136,1714174460000,Thank you for voicing your concern about our Online Grocery Pickup service. We would love to get more information into what happened. Please contact us at walmart.com/grocery/help,1669938068000,Walmart +6ce56d23-5250-4906-8004-754fb210f6bd,Old Review correction after 2021 update broke in-store functionality: upgraded from 1 to 2 stars. In-store use is hit or miss. For a while you could find local stock and pricing at different stores if you dug in the product page... Missing that is a huge loss. Currently in-store scanning works sometimes: occasionally it still will only give online pricing. Force quit and restarting the app 6 or 8 times usually fixes the issue. I just downloaded the 4/24 update so we'll see if that helps.,2,152,1713495095000,"We'd certainly like to look further into the issues you mentioned, Julia. Please connect with us at https://www.walmart.com/help",1713496439000,Walmart +55e1f518-4aed-47db-8309-cb522bfe110e,"Works great, love the scan-n-go feature but hate that you still have to wait in line and go to a register to checkout. Have it work the same as Sam's Club and it will be perfect. The grocery delivery side, however, is honestly fantastic. Gas fill-up seems a bit glitchy recently though - seeing if there are any app updates that I missed.",5,0,1710711847000,"Thank you for sharing your experience! We'll certainly review your suggestions for streamlining the checkout process and improving the gas fill-up feature. If you have any further questions or need assistance, feel free to reach out. For more insights, please visit https://survey.walmart.com/app.",1710715190000,Walmart +32f27735-7d73-4a0e-b8e7-27558eea7480,"App works well. Good job software team. One feature is Missing with app. I wish that when shopping (In Store) mode, they give you options to show other locations that may or may not have inventory of a product I have to use Google to find out and takes time, because we links jump you back into app with (saved store location) that doesn't help. usually resorting to using the computer.",4,34,1714021146000,Thanks for the praise! We'll consider your suggestion for app enhancement. Please get in touch with us here: https://survey.walmart.com/app,1714022802000,Walmart +cd26deed-bd96-4ef9-bd78-d386401377ca,"I like the Walmart app. I LOVE being able to pick-up my groceries and it works great for that!! BUT... when I get a Walmart email and look at items listed, it says I can add to cart to order. But, when I open the app from the email like it says to do, and look at the same items...99% of the items listed are OUT OF STOCK...WHY?? AND....This last update, the app is adding all kinds of items to the ""my items"" list, for me to choose from... I don't like it one bit!!! 😕 AND NOTHING HAS CHANGED ‼️",3,7,1710903853000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1685074612000,Walmart +4a5c5740-454a-4b87-b23c-d5e9fd4aae5b,"Mostly okay. Scan-and-go needs work. Scanning produce was so confusing at first and they don't make it clear in the instructions. Also, not all stores are the same, some have produce scales nearby while others are weighed at checkout. YOU CAN'T ADD GIFT CARDS as a payment type for scan-and-go, which is unbelievable. How do you use an e-card in store then? Barcode scan can be slow. Doesn't always stay at YOUR STORE, which can cause you to buy something for pick-up from the wrong store.",3,147,1712261855000,"We'd like to take this discussion further to our DM's in order to have a more detailed one, Sam. Kindly connect with us at https://www.walmart.com/help",1712213879000,Walmart +7035a77d-e8e4-491e-b564-f4b123ea52a3,"After the newest update, I am no longer able to get my fuel discount at Mobil/Exxon stations. It pops up with the option to start fueling, but when I try to click on it, it does nothing. I've restarted my phone, uninstalled and reinstalled and still won't work. Only reason I gave 3 stars is because the rest of the features appear to work fine.",3,83,1709325145000,"That's not the experience we wanted you to have with our app, Lizz. Please tell us additional details about it at https://survey.walmart.com/app",1709325851000,Walmart +6393ea61-e279-447a-b28c-77987fdd23d1,"Was loving the app, not so much anymore. I have been doing my grocery shopping with Walmart, and having it delivered. It was great! But then my last several orders I've noticed it always says "" These items are not eligible for substitutions "". Why? Why did you take away the ability to choose substitutions? Now if I place an order and something is out, instead of a substitution, I get nothing, which means I may have to do another shopping trip to another store to get my missing items.",2,8,1715886782000,Thanks for bringing this to our attention. We'd like to investigate the issue. Please contact us at walmart.com/help,1715888638000,Walmart +2522e201-92f9-456b-bf44-86d1bd735fbb,"This is very convenient to use. I always check for out of stock items, but most of the time, my order is missing something because it is out of stock. The other issue is getting the wrong item delivered. Mostly, this happens with produce. The people making the delivers are always very professional and great.",4,1,1714305721000,"For further assistance regarding the issue you've encountered, please reach out to us through our support portal at https://www.walmart.com/help. We're here to address your concerns and provide prompt resolution.",1714307577000,Walmart +c79f37f8-b5f2-4d0d-a14c-caff1f31ab4b,"It's stupid how they claim items are in stock, and you go to the store and they don't have something. Worse, the prices are incorrect and/or not matching. You add an item where they want to charge shipping from the store, but online it's free; then it still gets delivered from a local store. We tried ordering things for our store pickup and waited in the parking lot for several HOURS. As for the application, we aren't allowed to change comments on items purchased. Why???",1,26,1712575382000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with product availability within the Walmart app. Please contact us at walmart.com/help.,1682880977000,Walmart +fffe7589-ca04-454b-82b0-7827f28889f5,"Everything has been really great with the app. Customer service has been amazing too. The only complaint I have is, my apartment isn't the easiest to locate and so I will use the chat with the driver option to give them the right directions to my place. The drivers rarely ever look and they spend way more time looking for my apartment then they do actually shopping for my stuff lol. Walmart can't really do anything about that, though ☺",4,43,1709269257000,,,Walmart +1f318b32-a453-4bbc-a686-b8d37c4b057e,"When I try to filter the price low to high, it prioritizes best sellers over showing me the best priced items. It even hides many items from my view in order to show me their best sellers rather than what I asked for. I actually had to use Google over the app to even find certain things, because even when I search for them in app, they don't show it.",1,46,1713157820000,"Thank you for sharing this idea with us, and we request you to sharing your details with us at https://survey.walmart.com/app",1713160453000,Walmart +8ddf7ffe-6a15-423c-a94e-c7d55e582a43,"Walmart+ is convenient, but I've had a couple of issues receiving products, they drop off at the wrong home, and when I chose the option to sign for my groceries, they leave sitting at the door anyway. That there is inconvenient, I would rather tip for my delivery in person. It doesn't make sense to tip before receiving merchandise.",3,19,1710360878000,We regret to hear about the delivery hiccups. Your words are crucial for us to refine our service. We appreciate your patience and are committed to making your Walmart+ experience better. Please contact us at walmart.com/help,1710362024000,Walmart +83a8888b-bc5b-4e44-94d7-37c2aef77895,"4 stars only from deliveries left away from front door. This doesn't happen often, but it's why I tip after delivery is made. I'm disabled. Leaving my groceries at bottom of stairs isn't what I pay for. Nor taking a pic from parking lot which doesn't show my porch. I do take picture if it's done wrong and report it. Walmart is very firm about deliveries. I've often gotten refunds or discounts due to lazy deliveries. However 90% of the time the drivers are super awesome, friendly and helpful!",4,26,1710983173000,"Your satisfaction remains our utmost priority. To provide you with a personalized and tailored assistance experience, we encourage you to connect with our dedicated support team at walmart.com/help",1710989749000,Walmart +fddc5011-89d7-4a49-b9a1-d2374f2a4bb3,Was told I could ship it to a Walmart with a Auto shop as long as I set it as my default store. Wrong. Also I don't like that I had to save my card. I also don't find the app super user friendly. If they don't install my battery I will be pissed. I never saw the option to choose that either. Not impressed at all.,1,0,1722345875000,"Olivia, we're here to help you. Let's work together to address your concerns step-by-step. Click here https://www.walmart.com/help for further support.",1722396671000,Walmart +30674759-8052-4605-971b-dea53b2b0cba,"QR code scanner never works at the pump. Every time I have tried, it tells me there is something wrong with the address linked to my payment card...but I can use the aame payment card with the same address to order something theough the store or marketplace. Additionally, the app's search engine usually puts the item I am looking for on page 2 or 3. More frustration than I care to deal with.",1,26,1711584675000,"Let's tackle these challenges together! For assistance, visit https://www.walmart.com/help. Your satisfaction matters most.",1711590694000,Walmart +546268bc-be79-4c0a-b756-338ef27b00e0,"I'm a walmart + member & have had multiple issues with my purchases using the app. Items received were defective clothing, counterfeit lotion, ""lost items"" & most recently purchased a lawnmower on 3/23 during a flash sale & still haven't received it. I've reached out multiple times with nothing being resolved. They claim to offer solution""s"" but its more of an ultimatum, either wait for it or get a refund.. I want the product I paid for, at the price that was advertised.",1,56,1714442048000,"Rolo, we'll do our best to ensure your concerns are addressed promptly. Reach out to us at: https://www.walmart.com/help",1714442994000,Walmart +7ad4696b-c0e6-43be-b117-a232b9ee35de,"Most of the time I have no problem with my home deliveries, but when I do, the problem is super bad. I believe it's not a Walmart problem but a specific store problem. I will Kee my Walmart+ subscription as long as it's offered. Nothing is perfect, and this is the best thing going on, human errors and all. I highly recommend.",4,0,1715348581000,We'd certainly like to look further into the issue you mentioned. Please connect with us at https://www.walmart.com/help,1715351961000,Walmart +a4fd0a23-aa6c-4e9b-8184-2759e90f06e9,"Okay, I'll put it this way. I was looking for a product on the app and It gave me the aisle number; but the aísle number was on top a refrigerador, not visible. It took some minutes to find someone to ask! Some times I go to other stores I'm not familiar with and the products aísles are located in different than others; so it takes more than to find whatever I need. It'd be great the app to have a little map with section names to locate them. Example: Pet supplies, cleaning supplies, etc.",3,15,1713562072000,That's not how we expected your experience to be. We recommend you share more details directly with us at https://www.walmart.com/help.,1713554130000,Walmart +67f1ac62-8841-484a-b011-b707fa747151,"Walmart is the largest Grocery store within 10miles of me. I signed up for Walmart plus when it started and have continued using it for grocery delivery as it saves me the trip to town (6miles). But I have recently started questioning the value. MANY times the app shows items out of stock. These are typically the cheaper, generic or store brand items. YET when I drive to the store those items ARE in stock. Now this week, many items were ""in-store"" only. Why pay for a subscription?",3,1,1712908421000,"We understand the issues you've raised and are dedicated to improving your experience with our platform. To better assist you and address your specific concerns, we invite you to share more details through our dedicated support link at walmart.com/help",1712911298000,Walmart +82455cb7-3112-4a1c-91cf-3d5b124900cd,"Very useful app. Three suggestions: Don't show me out of stock items when I search. Don't refuse to let me go into the app if I don't want to update. Don't say I have messages, when it's just an ad. You shouldn't even have ads!! Walmart is one of those stores that won't give you the option to NOT save your card (-600 stars, but that's the company, not the app). This app makes it easy to delete the card after an order, as long as you can find the saved payments spot.",4,8,1715632934000,"We appreciate your support! If there's anything we can assist you with, don't hesitate to contact us at Walmart.com/help.",1715633739000,Walmart +c39ed70e-d788-4cfd-a754-6ca67c6f91cb,"I notice my total is different the next day every time without any changes to my order. This week it's $1.40 higher today than it was when I placed my order. You have 0 correspondence to anything I've ever said as feedback. I get a noti saying let us know to ship the item by 2pm. I click it, it says shipping is unavailable on that item. Yet. I notice the price hasn't been refunded. So. On top of the $1.50 per week you upcharge, now you're keeping money for items you can't ship?",2,11,1708886104000,"We've taken note of the concerns you've brought to our attention and are dedicated to enhancing the user experience. Should you require further assistance please feel free to reach out to us at walmart.com/help +",1708887387000,Walmart +75b6355e-5a25-48ec-972c-731333bb0f4e,"Walmart pick up feature is troublesome. I have had problems with it in the past. Most recently it doesn't appear to be processing correctly. If I check in, park and enter my info, the app doesn't clear the icon on my desk top or the dot (flag) in the app. They bring my order out, so the store is receiving info correctly. I just can't get the phone notifications to clear. Creates confusion. You wonder if you truly got check in or need to try again. 🤷🏼‍♀️",4,190,1711091330000,"we sincerely apologize if things didn't go as smoothly as expected. If you need assistance or have any concerns, please reach out to us at walmart.com/help",1711092411000,Walmart +fdb9c8d7-dc49-4b53-b4cc-bb801bdb0c74,"The search function is driving me nuts. I typed in Blu ray player. Scrolled through the options, found one at the price I was looking for from an acceptable brand, ordered, and picked up some time later. As I am putting the box in the recycling, I see it is a DVD player, not a Blu Ray. Why was it even in the list? Not the first time the website led me to a product that was not what I searched for.",2,44,1715500907000,This is not the experience we want for our customers. Please contact us at https://survey.walmart.com/app,1715502566000,Walmart +c5097fd5-81c2-40fc-91f5-abf721bb39b0,"3.35 stars: The app is functional, but sometimes you have to tweak what you're searching for several times, which can be tedious. The filter doesn't stay at whatever you select, and the default is always at the highest price. I can't stress enough to look at the seller information for non- Walmart provider purchases. if the seller is below 85%, would not attempt. You may have to pay an additional fee, which I absolutely will not do. I wish looking at your order information was easier as well.",4,66,1715661257000,"We're committed to ensuring your satisfaction. If you have any suggestions or need assistance, please don't hesitate to reach out to us at https://survey.walmart.com/app",1715661855000,Walmart +d12acafa-408c-42b8-ab1d-4ead8cd23fec,I'm loving my new subscription to Walmart + and all my extra benefits. Being that the APP CRASHES all the time I'm only rating it at 3 stars. I'll be happily doing some grocery selections or even any other miscellaneous browsing and shopping and next thing ya know that lovely error message pops up saying Walmart has stopped 😭😡😮‍💨 other than this extremely frustrating issue... I am ever so grateful for my subscription to Walmart plus 🙏 oh and one of THE BEST PERKS=FREE DELIVERY!!!,3,7,1715252631000,We aim to address and resolve the situation for you. We encourage you to contact our dedicated support team at walmart.com/help for tailored assistance.,1715275191000,Walmart +55570b66-f214-48d1-93c5-ea62449c4994,"You'd expect a shopping app made by WALMART to have a function card saving system. I have to uninstall and re install the app in order to fix my default payment option. Edit:The re installation doesnt work. I'd think the first thing a company ensures is that THEY get the money. In this case it really is a lost customer, cuz I'm TRYING to give you money walmart",1,24,1711793944000,We hear your words about the payment system. Please contact us at https://survey.walmart.com/app,1711799479000,Walmart +a12b9f69-cf4e-40a3-85fb-b72e02d4793c,"Terrible app. If you are planning a trip to the store it will not allow you to shop the store, showing what aisle items, if there at all, are located. It tries to force either pickup or delivery. Can't see store mode unless actually in the store and even then can kick you out into delivery or pickup mode! Shopping Walmart less, too cumbersome.",1,4,1711753971000,"We'd like to know more details about your experience with our app, Lorraine. Please share your valuable input at https://survey.walmart.com/app",1711759766000,Walmart +2bac0584-6984-4e59-b890-b11737da2d28,"App works great on my phone. But it keeps crashing on my tablet. I don't know why. No other app is doing this. I have cleared cache, data, uninstalled, reinstalled and there's no updates to install. I don't know what else to do. I like online shopping on a bigger screen than my phone",1,0,1710716479000,We regret to learn of your experience with the Walmart App. Please use https://survey.walmart.com/?walmart-store-core to get in touch with us.,1710718034000,Walmart +7607ecc8-102f-4384-943a-a23b95db0755,"I'm trying to start a return in the app. When it gets to my itemized receipt, there are no images populated, with the items I purchased, just prices. I cannot tell by the price, the items I need to return. Also, when I park to pick up my items, the I'm Finished button covers the car colors.",3,1,1712356149000,"Your input helps us improve. If there's anything else you'd need further assistance, please connect us at https://www.walmart.com/help.",1712359353000,Walmart +46f17202-c6b0-468c-83bd-a8398a73f43e,"Good app, but the pop-ups are way too intrusive. They cause my app to become slow and make simple tasks more difficult because they get in the way, and you just don't want to accidentally click the wrong button and subscribe to Walmart+. I understand you need ways to advertise Walmart+, Card Offers, etc. But you don't need to get all up in my business about it. It makes me less likely to even consider subscribing at this point. Please find a better way.",3,37,1715610499000,We'll find a balance to ensure a better browsing experience. Please connect with us at: https://survey.walmart.com/app,1715620880000,Walmart +c4b4c840-78a5-4268-9fd2-a4a59dd4223a,"Love using the app every time. I'm someone who doesn't like shopping in large crowds, and I usually do my groceries through this app. Highly suggest you try Walmart Plus. It's very beneficial! I work twelve hours, so it's nice not having to go grocery shopping immediately after work. With this app, I'm able to select what I need and pick it up!",5,11,1709285800000,Thank you for sharing your positive experience with the Walmart app. We're delighted to hear that it's been so convenient for you. We appreciate your recommendation of Walmart+ for grocery shopping.,1709287746000,Walmart +4d7d3d4f-86c2-4fe3-b6fc-080c1cf2043a,"I'm so disappointed with the Walmart app! They hold your money & try to blame it on your bank. My order total was $134.58 but, because I was charged for item's they had when I placed my order but, when it was close to time to pickup the order the items were no longer available, which doesn't make sense either. when I ordered those item's they should have been put back for my order not left on the shelf to be sold. I also opted out for substitutions so I shouldn't have been charged at all!",1,25,1708644716000,We would like to get more information about what happened. Please contact us at walmart.com/grocery/help for assistance.,1708650022000,Walmart +5e678c3c-7ac7-4474-b7f2-64527d7b29ad,"The Walden family has more than enough money for this service to NOT have to be this frustrating. You're basically gambling your good mood away almost every order. Poor communication, missing items, ambiguous order updates. They do refunds well at least...perhaps not a great quality considering. For someone without a vehicle, it's a great service that's works well when it wants to. Otherwise, in need of some improvements.",2,22,1711255166000,"We're actively working to address these issues and make necessary improvements to enhance the overall shopping experience for all our customers. If you have further input to share, please connect at https://survey.walmart.com/app.",1711262334000,Walmart +79560480-af5c-4c5b-b3b6-3bab944b758a,There should be a selection for no vehicle when searching for specific items. I cannot find items that are usually available because it automatically searches for a vehicle in my profile even though I need something else. I can't even remove the cars from my profile because even if the vehicle has been deleted it still forcibly looks for compatible things for that vehicle,1,4,1712008095000,Thanks for sharing your experience with us. Kindly offer us more information at https://survey.walmart.com/app to assist you further.,1712011523000,Walmart +9eb54cb3-62ae-4f2d-b7a2-d4cd31274f8a,"Walmart+ member- The latest update broke the apps ability to connect to Mobil/Exxon fuel pumps. I went to two different stations, tried two different pumps at each, and kept getting the error ""Something went wrong, unable to connect to pump. Try again later."" No issues with credit card or mobile data. There is no work around at Mobil/Exxon to get the 10¢ off/gal discount. Fix the app!!",1,11,1713938166000,Thank you for bringing this to our attention. We are dedicated to improving the user experience. For further assistance would you mind reaching out to us on walmart.com/help,1713938561000,Walmart +2af3595c-2059-4e30-96b5-7f636902e710,"I can't be the ONLY one who sent my husband to pick up my grocery order. I'm unable to ADD his phone number so he can check in. That a pretty big flaw on the website as MOST couples have separate phone numbers. This was my 1st time ordering groceries and it did not go smoothly for how long THIS has been up and running. Plus after downloading app, there is a msg to .. download app.. wth?!",2,0,1711676228000,Your insights are valuable as we continually strive to improve. Share more of your thoughts with us at https://survey.walmart.com/app. We're here to ensure your shopping experience meets your expectations.,1711684299000,Walmart +533e647f-e654-49d0-884c-da7dfac4b6dd,"Trying to look up a tire size for my lifted truck and it won't show anything because my truck doesn't fit that size as a stock. I don't care, I want this size tire so let me still see what you sell. Also the dumb blue pop up that says welcome to your store pops up everytime I put in a filter or something and it makes me want to delete the app. Get rid of the dumb pop ups or only make them pop up when the app is open, I don't need to see the same pop up every 5 seconds",1,2,1711850511000,"Our goal is to enhance your shopping experience. If you encounter any other issues, please connect us at https://www.walmart.com/help",1711853903000,Walmart +74598b45-055d-4089-9592-6e6f642e79a5,"Buyer beware- if you sign up for the Annual membership ($99), Walmart can pull the plug on your ability to have the delivery portion of the membership you paid for. Makes me wonder how many customers are being ripped off and charged for something they can't use! I have 6 months left on my Annual and they canceled it and won't give a refund!!!",1,20,1713622710000,,,Walmart +d0afeca9-371c-45f4-975c-9776b471772c,"the app is okay. delivery, not so great. the pickers pick the oldest fruit and veggies. The app and website could be better. Listed items in cart by type would be great. Veggies, dairy, meat, canned, etc would be very helpful. Baggers really should bag like items together ats well and fragile things like eggs, bread and chips should be marked different or put in a box.",3,2,1716173106000,"We're always aiming to improve, so we'll take a closer look at how we can ensure fresher picks for our deliveries. Your thoughts are important to us. Please tell us more details about your experience at https://www.walmart.com/help",1714435037000,Walmart +e08e4d80-5919-4288-a709-89a948900a08,"Trying not to let my disgust for Walmart affect this review. Mainly just came here to complain about how data hungry this app seems to be. Normally on a mobile hotspot with decent service; Every other app works fine, even FB with all their data collection. Way too often, this will try telling me I'm not connected to the Internet or fails to load something and I lose whatever I was doing. Again, no other app gives me problems when Walmart pulls this stunt.",2,3,1715757266000,,,Walmart +dd4b7e3d-2715-4ad3-ac56-83bf4183bc8b,"Walmart+ Issues. I've used the fuel savings service successfully for several months, but for 2 weeks it hasn't worked at any gas station I've tried (stations I've used it at in the past). I'll try multiple pumps and still get an error message. When I reached out to Customer Service, the rep said ""yeah, we've had a lot of these complaints."" Ok, so fix it! I'm paying for the + service, this isn't a freebie or something! Thanks for the response Walmart; I did that already with no resolution.",2,114,1711158667000,"We recognize the challenges you've highlighted, and we're fully committed to enhancing your experience with our platform. To better assist you and address specific concerns, we encourage you to share more details through our dedicated support link at walmart.com/help",1711158232000,Walmart +bf58981b-8d3c-4f27-a538-02bf8e1b4061,"I am tired of running into the same thing with your shoppers. You let us choose what we want for substitutions, but the shopper chooses what they want. Don't they read instructions? I didn't get a lot of my items this last order, & the substitutions they chose were not what I wanted. I understand certain situations, but when it happens constantly, it's obviously lazy shoppers, not unavailable items. Also annoying is when the driver literally puts the bags up against the door, and I can't open it",4,10,1710227502000,Your input is invaluable to us. Please reach out to our customer support team at https://www.walmart.com/help so we can further investigate and address these issues. We appreciate your understanding and continued support as we strive to improve our services. Thank you for choosing Walmart.,1710234358000,Walmart +42df3ce3-5a91-4337-83c0-f1626d3e1de1,"I made a purchase for a $43.95 Bedset, something just didn't seem right about the order side of the council list. I went to check the account a few days later to make sure the refund had been issued or if I had to wait a little bit longer. That refund had been issued and I also noticed a strange charge at the exact same time of departures a few purchase that I am not aware of in the amount of $87.90 Walmart I'm disputing this with my credit card company at the momand I have proof of the pictures",1,13,1709158843000,"We'd certainly like to look into this issue of unknown charge on your account for you, Christina. Please connect with us at https://www.walmart.com/help",1709163082000,Walmart +a819c069-1e3f-4b3b-83a8-a442e75d6aa1,I miss in previous versions of the app when you could search around at other stores for availability. and now it doesn't always update where I am to the correct store either. like it'll show that I'm at the store I was at a couple stores ago and getting that to update is near impossible without clearing the storage on the app. at least that I have found and that's really freaking annoying. and availability is quite often wrong which is super annoying as well. other than that I like the app!,2,49,1708944034000,We appreciate you telling us about your experience. We regret that you experienced problems with the Walmart app. Please visit https://survey.walmart.com/app to supply us with further information.,1708944989000,Walmart +24f6aa84-36fa-4186-bb0e-3e2386aa5a5d,v.24.17 I am having alot of issues this past week. I go to open app and it just hangs there with the blue screen and yellow walmart symbol. It won't load and system isn't responding. This is bad bc I use Walmart pay. I had to uninstall and reinstall three times for it to work. Imagine being in line after ringing up items and you can't use app. Please look into this. Thanks,2,12,1715117307000,We are sorry to hear you are having issues with our app. We would love to get this resolved as soon as possible. Please contact us at walmart.com/help,1687341692000,Walmart +4f2dd2db-13b4-4282-993c-f4ece9d17bd3,"I just spent literally 5 minutes, clicked the link from search to selected Walmart item, and 5 minutes later it'll be at my home in 3 hours. At times the app can be tedious, basically with extra taps that don't seem needed. searching, backing out from certain places, otherwise good app. understandable that they will all to view other items in your way to checkout. Those extra taps I understand. Again overall a good experience.",4,89,1709526128000,,,Walmart +54e0e6f8-5918-4b09-83e7-419f41f0c545,"Weird glitches, confuses the technologically unsavvy for long periods of time. Walmart is really good at making good on their standards, if you get damaged stuff, etc they help out. Overall I'm really grateful for this company offering delivery and making it EBT compatible. The only thing that really bothers me is that I can't leave reviews anymore, and that when I could I couldn't edit or delete them, but other than that I'm really impressed with the amount of work that's gone into this app.",5,140,1713932713000,"Emily, we aim to offer you a satisfactory experience. Use this link to get in touch with us: https://www.walmart.com/help",1713929747000,Walmart +3ce36c8b-4e57-46fc-b263-742919d7dd0d,"Very pleased the list was added back to app, though I'd still like to have ""sort by aisle"" return, sorting by department is as close as I can get but sorting by aisle improves shopping experience. Even better would be to have item by space on shelf (like the WM shopper staff has), less time hunting an item would give more time to discover new stuff. Still, adding list back improved my rating of the app. Is there a way to get a list of WM cashback items? I may have just not found it yet.",4,72,1710101317000,"Thrilled you're enjoying the return of the list feature! Your aisle-sorting idea is genius for optimizing the shopping journey. As for cashback items, stay tuned for exciting new features to uncover more savings! Happy exploring! 🚀🛒",1710101959000,Walmart +a73b68e1-0ea0-4133-bc64-050158d8b045,"I use the Wal-Mart app daily, it can be very useful and sometimes very frustrating. Online prices aren't always synced with In-store prices, also many of my orders are not delivered with little or no prior notifications. Besides these minor mishaps the Wal-Mart app is a must have on my phone. I prefer ordering online to shopping at an actual store location. It is a part of my daily routine that I dread because something always goes wrong. I try to allow for extra time in case of mishaps.",3,67,1712421108000,We've taken note of the concerns you've brought to our attention and are dedicated to enhancing the user experience. Please feel free to reach out to us at walmart.com/help,1712424881000,Walmart +274254ae-e002-447e-89de-57d9aa189409,"Just love the ability of ordering, so much easier then shopping. I feel just as great knowing my order is coming when I schedule! Looking forward to third Walmart benefit which they'll take back items, not as described, wrong size, doesn't fit, and all the other reason you have to send something back.",5,3,1709511953000,Thrilled to make your ordering experience easy and enjoyable.,1709512358000,Walmart +c42d38c3-cd73-4e4c-a210-65324cb607b2,Generally very positive. I sometimes get a bit confused when I have an order in process and want add items to the delivery. When I've already met the threshold for free delivery an additional delivery charge is tacked on for the new items. A $10 delivery surcharge for 3 items costing less the that is not gonna fly with this hombre.,4,10,1708313856000,"We appreciate your review. Your satisfaction is our priority, and we're committed to providing a seamless shopping experience. If you're facing an issue, please contact our customer service team for further assistance at https://www.walmart.com/help. Rest assured, we're here to help.",1708317794000,Walmart +75ef34ec-652c-4d49-b18c-1528e8023910,"The most brain bendingly terrible store app. Half the time something says that it is ""available in store"" but does not give a bleeding aisle number unless you manage to get the right exact combination of settings that it wants you to enable, like for instance sometimes it wants you to tell you that you want to pick it up in store, but that was just as easily tell you nothing and offer for you to order it online. For some reason this seems to get even worse in the evening. Terrible",1,10,1715154423000,"Your input helps us enhance the app's usability for all customers, Brody. Reach out to us at: https://survey.walmart.com/app",1715190179000,Walmart +1a624a19-540b-4e7b-8b71-b85d7658ce42,Normally this app is amazing but lately there have been glitches where prices on a few items are showing higher than they should be. They'll be normal and then change to higher prices. I've had this same problem two days in a row. I'm not sure why it's happening but it's extremely inconvenient when I need to place an order but can't get correct pricing.,2,6,1710263999000,"We regret to hear about the pricing issues you’ve been experiencing on the Walmart app. We understand how frustrating this can be, especially when you’re trying to place an order. Your words is invaluable and we’ll ensure it’s passed on to our technical team for review. Please contact us at walmart.com/help",1710265188000,Walmart +61c10151-fccc-464a-93bd-bbd382738bba,"app is still a bit difficult to navigate, I was attempting to make a purchase on the app. I had items in my cart for purchase. So then I apparently opened up Walmart online through my browser. I was switching back and forth from the app and the site and had two different cart contents. I almost paid for the wrong cart, glad I didn't but still, there should be a way to link your accounts, through the app and the site as long as you are signed in to your profile... Just saying",3,67,1710453057000,Thanks for sharing your experience with us. We understand you had an issue with the Walmart app. Please contact us at https://survey.walmart.com/app. Thank you.,1710376689000,Walmart +c6a63d97-06a3-403a-bc2c-4232b0dab437,"I am very displeased with the taxes when buying something, it overcharges you waaaay to much, even for shipping, I find it unreasonable. For the shipping, they make the items come at such a very far date and the items that are shipped, they are either delayed or just simply don't arrive on time and make it arrive at a later date than what it says it will arrive by. You look something up that you're trying to find, and it gives you a list of completely different stuff.",1,30,1715252676000,"We'll work on enhancing accuracy and shipping timelines for a better experience, Connie. Tell us more here: https://www.walmart.com/help",1715275210000,Walmart +129dc4e1-143c-4fec-9222-de8769677af1,"Pretty good shopping app. It doesn't always have the very latest updates, *but* it is a very helpful tool, in-store when you need to locate an item or aisle. It has very convenient and transparent shipping options, so there's no confusion about how something is getting delivered or picked up. Overall pretty great. 😀",4,82,1714139822000,Experience excellence at your fingertips! Our service and app blend seamlessly to deliver unparalleled convenience and satisfaction.,1714141972000,Walmart +4cd6548f-a4f9-40db-8684-c0786d542d29,"This app used to be great. Now none of the Exxon stations work for fuel discount. Always says oops there was an error try again. This was my main reason for having walmart+ and now it never works. Tried to clear cache, claer data, uninstall, reinstall nothing helps. I've tried 7 different stations in two states and always the same issue. Walmart FIX your app. The Exxon app always works 100% at all these stations but of course no fuel savings.... so it is the Walmart app that is the issue.",1,26,1713757087000,"We hear you! Your fuel savings should be a breeze, not a roadblock. Let’s get your Walmart+ perks back on track. Please contact us at walmart.com/help",1713758323000,Walmart +4236b5ee-423d-4403-94f8-ed3caba87c02,"Have been using Walmart pickup for about 5 or 6 years now. I love the convenience of putting things on the list during the week, and then checking out at the end of the week. Gives me a chance to update and remove items as needed. the location on South Cooper, is wonderful and very, very rarely make any mistakes. Their shoppers are great at picking out produce too!",5,228,1713333895000,That's fantastic to hear! Your long-term use of Walmart's pickup service is a testament to their efficiency. It's great that you're making the most of the flexibility it offers throughout the week. Happy shopping! 🛒😊,1713334837000,Walmart +6be567da-4167-49a1-b882-202df85a8348,"I love being able to get what I need without having to go to the store to get it. The only issue I've had so far is that the strawberry banana prime can be paid for in store with EBT but isn't eligible for EBT on the app. Other than that I haven't had any problems, delivery is always on time, my products are the correct brands, and all without the stress of having to go to the store in person, it's awesome!",4,21,1710738350000,Thanks for sharing your experience with us. We understand your concern related to EBT payment. Please contact us at walmart.com/help so that we can look into this for you.,1710740606000,Walmart +e157c9d7-4154-47d7-ba5d-a25a5e43587b,"I have experienced a few problems with the app not being updated in real-time and not receiving items that were to be delivered. In fact, it happened 2xs in one month. I do what is required on my end, but apparently, Walmart does not feel obliged to as well. If Mt transportation situation was different, I would support small businesses instead",2,9,1712708079000,"We're here to help and ensure that your shopping experience with us is as smooth and convenient as possible. If you encounter any issues with your orders or the app in the future, please connect us at https://www.walmart.com/help.",1712709285000,Walmart +17314f9b-16e7-48d4-9ada-20d2c963b42d,"I'm so sick of the constant popups when I open the app, or after I search something, or just at any given time. It's either a full page thing welcoming me to the nearest store, or a full page thing trying to get me to buy Walmart+, and there was even one for a credit card. It's predatory and I can't believe you would think people don't find that kind of tactic infuriating",1,4,1711833526000,"Recognizing your concerns, we want to assure you that ensuring your satisfaction remains our primary focus. For personalized assistance crafted to address your specific situation, please reach out to us at walmart.com/help",1711836950000,Walmart +b988e187-62ca-41a1-954e-35eec6ec9dfb,"I have some of the same issues as other members have desribed. I also had some of my ""safe for later"" items automatically added to my order in the middle of shopping; I am a member of Walmart for a long time; the cost was raised without notice; was charged a fee for a delivery order because it was under $35.00. I understood the membership to be unlimited; have not been able to use the gas discounts; Very cumbersome app; all this is prompting/reconsidering me signing up with another store.",3,2,1712972426000,Thanks for sharing your experience with us. We regret for the inconvenience cause to you. Please contact us at walmart.com/help.,1712973822000,Walmart +2ca5aa4c-a690-45d8-875d-8786c804e950,"Way too many third party sellers, trying to find something and there it is on app, marked up. App shows something can be shipped, add to cart and then shows its no longer available.The barcode scan does not pick up must items, normal items, sale items and clearance. Either take it to front and scan it there since no scanners in stores anymore and when it doesn't come up desired price, time to give to the cashier to put aside.",3,17,1712781354000,Thank you for sharing. We are rolling out a new app. We're updating the barcode scanner feature for price checking items. For accurate prices while shopping at your local Walmart: Enable your precise location within the app. Then we can show you accurate prices based on which store you’re in. Contact us at https://survey.walmart.com/app,1684694197000,Walmart +4e772364-b1f7-4998-a7ec-8ba950b8af0b,NOT WORTH IT!! They WILL NOT replace your items if porch pirates steal them like Amazon does. You MUST be home!! If you return three items within a specific amount of times you're BAN from returning any additional Item for a period of time. Their people are not PROPERLY trained to shop for you. They delivered a USED deodorant🤮 They don't have a ban for tipping so it makes delivery AWKWARD and the service WAY MORE EXPENSIVE! Free Paramount package comes with ads (SMH). Just use freevee!,1,3,1711743067000,,,Walmart +9fae3d3b-05e5-4842-b41e-7bb842a13e56,"Be careful ordering pickup. I've been doing pick-up for a few years every week. Well, today I went to pick up many cars that came and left. Called the store and my order was at a different Walmart. To a Walmart that I've never been to. Ok, I canceled my order and placed a new order. It showed to my hometown Walmart when shopping and tried to put my pickup order at the wrong address again.",3,2,1711676735000,"Thank you for sharing your experience. For further assistance or inquiries, please visit https://www.walmart.com/help. We're dedicated to enhancing your pickup experience.",1711684341000,Walmart +653f9719-f489-4539-8ba7-fbb644557be1,This is one of my 2 favorite shopping apps. You save so much without extra apps and to top it off the Walmart+ membership and Walmart credit card I signed up for have more paid for themselves!!! I LOVE THIS and the free delivery!!! This really helps me in so many ways including not over spending on groceries and throwing food out because I can look for it at home while shopping for my groceries on my tablet or phone!!! If you're having 2nd thoughts don't...JUST DO IT!!! More than worth it!!!,5,26,1712550788000,We're thrilled to hear that you're enjoying our unbeatable prices on top-notch items. We'll keep up the good work to ensure you always find the best deals with us.,1712551434000,Walmart +dca22ebf-1324-4978-8398-1651816998f7,"IT use to be 5 stars, but It's gotten to where I think the app is outdated, but i cant update it unless it requests me to. When I type in a search, it takes sometimes 10 tries before it goes to the items. It goes to the sales announcements! Since I can't go to Walmart I just keep searching till it finally takes me to the item.",3,0,1711675154000,"We're here to assist you. For any inquiries or assistance, please visit https://www.walmart.com/help. We're dedicated to ensuring your shopping experience is smooth and efficient.",1711682341000,Walmart +d331f54d-5360-4e23-899b-f0a3a818a4b3,"Cannot compete with Amazon and so happy I don't sign up for their subscription service. I try and buy something online and they keep cancelling the order, claiming some location issue. No notice in buying the product, just stupid excuses after I place the order. And this is why I shop on Amazon. No issues buying there.",1,5,1709336550000,,,Walmart +6dd5be9f-f6b2-477c-b332-872dbd41cf3e,"I currently have the Paramount+ app deal via my Walmart+ account but I wanted to upgrade it to watch March Madness. It has to be done via the Walmart+ app, but every time I try to upgrade, it refreshes to a new screen and nothing ever happens and the upgrade doesn't happen. Extremely frustrating.",1,3,1712095631000,We're committed to resolving any concerns you may have. Please reach out to our support team at walmart.com/help for personalized assistance.,1712096528000,Walmart +4fd822c9-3a81-4943-8e1d-1e6e7463e6e2,"Well, the shopper never used the ""best matched"" awesome. I mean, it was medicine, he didn't think it was important? Plus, remember to adjust the if you do a percentage. The driver will get the total percentage. My driver didn't get a couple of big ticket items, and he got twice as much as originally attended. The app doesn't adjust the total price again after payment. It's totally misleading. Most related doesn't work. And percentage stops working after payment.",3,23,1709318248000,We're happy to provide you convenience and ease. Thank you for shopping with us.,1709189701000,Walmart +f598c9e2-e85d-4a9f-a9d6-9024bbed3837,"I love that grocery delivery is an option, but I'm convinced that it has taken place of the ""Reduced for Quick Sale"" bins. I'll order 5-6 days worth of food to be delivered in the evening & more than half the meat, deli, and dairy is already expired or are supposed to be used in the next 4 hours. I'm obviously not eating all that at once. Ever wonder what happens to the dented cans, damaged items, moldy produce and opened returns? They go to delivery. The substitutions are ridiculous sometimes.",3,6,1715229775000,We're here to assist further with the issue you've encountered. Reach out to us at https://www.walmart.com/help so we can gather more details and provide the best support possible.,1715235178000,Walmart +a4ef80cc-f418-45b7-981b-5c5b69c28317,"It's a struggle to love this app ... I really wish I did ... love that you can store all your receipts, some for return or exchange purposes but mainly so I can go back and track when purchased an item for restock or to repurchase and it's really annoying when I type in search I keeps logging me out of the app ... it be real nice if it gets fixed soon.",2,14,1713761676000,"Thank you for sharing your experience with us. If you've faced any difficulties while using our app, we'd be happy to help. Please reach out to us at https://www.walmart.com/help",1713817671000,Walmart +fe8e62db-12ab-4127-8e36-917b4e8395e7,There is no password for this app. People are able to access your app and your credit cards without any password. There have been no purchases but my cart is full of stuff I haven't put in there so someone's getting on. Walmart is only concerned with your past purchases if you contact them. Take all of your credit cards and whatever out of the Walmart app don't let anyone see them,1,2,1713221197000,"Your security is our priority, and we're on it to beef up those safeguards. In the meantime, keep those cards close and contact us ASAP if anything seems fishy at https://www.walmart.com/help",1713221736000,Walmart +5e941073-11a2-466e-847f-523f09c4f2c5,The app itself sucks horrible. You go to the store and an item doesnt have a price the scanner on app most of the time doesnt work. Also they need to update the fed ex delivery. They say in 2 days or one and most of the time it takes longer way longer with no notice. I go to the walmart in my area and try to compare the prices on the app to the ones the store and customer service is rude af and they put their own prices from what i see compared to other walmarts i go to apparently.,1,4,1712974185000,"Thanks for sharing your experience with us. We regret you’ve had issues with the app, Nick. Please contact us at walmart.com/help.",1712975358000,Walmart +32103da1-888c-4dd7-9ca6-d6565d01cdf6,"I love shopping at Walmart for certain items even though certain stores don't always have what you want in stock, some items aren't always fresh or they cancel at the last minute and the item can't be substituted. Update: I have spoken to someone regarding the problems I've been having and they were very helpful.",4,0,1714668506000,"Consistency is important in providing a positive shopping experience. If you encounter any issues, it's helpful to communicate your concerns directly with us at https://www.walmart.com/help",1713556749000,Walmart +60e3caa0-68ab-4516-a725-5debb29476df,"I appreciate the help that Wally offers to deliver my groceries & basic supplies. *The only thing is I wish they would update their system because the Walmart cash NEVER works. You save it all up but then when you go to check out online it ADDS that amount onto your bill INSTEAD of OFF of your bill!?? Did a Google search to see if anybody else was having this problem & there's actually a reddit forum on it. It's been years but not fixed! Other than that though, I appreciate the extra help =)",5,2,1713658333000,We'll investigate the problem with Walmart cash and work on finding a solution. Kindly contact us at walmart.com/help,1713661457000,Walmart +76a26a29-beb2-4ad2-8ccb-39f1e8aa708f,"The app worked great until this year, when suddenly it stopped allowing you to make ANY substitutions for the items you ordered. It has taken 48 to 72 hours to fix the last two times it happened, but this time, I've been unable to place an order with substitutions for 6 days and it is still not fixed. No communication from customer service either unless I call and ask. Lame.",1,19,1713778435000,That's unusual... Could you kindly share more details with us at https://www.walmart.com/help,1713818945000,Walmart +54dd7355-b50a-4f03-bca9-2110f7d9d745,"While I am super excited that I can finally see the photos in reviews on my Samsung Galaxy, the big issue still remains. I am constantly getting pop up error messages. Can't load cart, connection issue, technical issues, etc. I can try and reload the same page over and over and over and get a different error message each time. It makes using the app so time-consuming that it's just not worth it.",3,40,1714788868000,We value your experience and aim to better meet your needs. Please share more details via the provided link: walmart.com/help.com to help us serve you better.,1714789655000,Walmart +95da89ce-94d7-477d-bcbb-2550b40bf8f2,I enjoy using the app for ship to home 😊 and I try to use Post Office option most. I was also surprised by next day arrival (FedEx). Wow 😎 I love that new thing. Where do I want improvement? I want to FSA/HSA eligible items more organized. Its very difficult to search through and see what is eligible😫 I go to checkout and find that particular item(s)is ineligible.😤 Secondly please do something about sold out items. There should be red lettering that says not available esp for shipment. TY,5,3,1708666401000,Thank you for sharing your view regarding our app. Please share additional details on the issues you mentioned at https://survey.walmart.com/app,1708667608000,Walmart +33ea83f2-d407-4fa4-9c8e-9798a802819a,POOR VALUE FOR THE MONEY EVEN IF YOU GET IT FOR FREE!!! Some prices are higher so you'll pay more . Returns are a hassle and it takes longer for refund to hit your bank account. Delivery is problematic and unreliable. You'll waste A LOT of time chasing down missing order items that you were charged for because either a) Your store just doesn't answer the phone or b) That department doesn't answer the phone. If you value your time and money then this app and subscription is not for you.,1,3,1711066222000,"We're aware of your concerns and want to check into this for you. For assistance, please visit walmart.com/help.",1711063233000,Walmart +804d7a53-2cd1-49fe-b80f-f64d590c7a19,"A lot of items on here with horrible sizing and horrible sizing charts. It's impossible to find out what size you truly are. It seems like walmart doesn't even listen to the customer reviews on here. I just purchased 90 dollars worth of items, and I'm scared if I ever even get those items bc so many people in reviews don't even get the items they bought. WALMART gets so incredibly upset with ""in-store thefts"". But are ok with allowing SCAMERS to run stores on their app and website. IT'S INSANE.",1,2,1714726572000,We'd like to know more information on the issue you mentioned. Please connect with us at https://www.walmart.com/help,1714728958000,Walmart +6aa29c94-051a-43a5-bcc8-a3b542b521f8,"What is wrong with your app????? Since the recent updates, it asks requests I log in, even though I'm already logged in. Now that I'm attempting to search my Purchase History, it consistently forced me to log in again, despite being logged in. I updated it. Same. Then deleted/reinstalled the app. Still same! Can't search history, WHILE logged in, without being forced to log back in again. The app is nearly useless without purchase history access.",1,10,1713907780000,Yikes! Let's get this sorted out pronto. Please reach us at https://www.walmart.com/help.,1713908666000,Walmart +f38d40af-8857-4d6b-a43b-0fe035003c1b,"I enjoy that I have access to my receipts via this app and I can pay via this app. However, I don't like when requesting a refund for items not delivered. The app is self marking item the customer did receive and unmarking the item the customer didn't receive. The customer shouldn't have to keep going up and down the list 4 or 5 times to make sure only the correct items have been chosen before hitting the submit button. This could cost walmart and the consumer big losses. Please fix it. Thx",1,6,1710747286000,We greatly appreciate you bringing this to our attention. Please tell us more details about the issue you mentioned with our app at https://survey.walmart.com/app,1710757227000,Walmart +a20250cf-5d38-4e73-8300-127669d219d1,"Their delivery drivers steal your groceries. Then it takes forver to get a refund or redelivery. Update: The app needs to STFU adking to rate driver every time i open the add and doesn't always show current deliery in progress. In fact it only shows it once then forgets about but but keeps showing annoying ""rate driver"" spam.",1,4,1715037637000,Thank you for voicing your concern about our Online Grocery Pickup service. We would love to get more information into what happened. Please contact us at walmart.com/grocery/help,1667502296000,Walmart +8238ba73-a7de-4b0d-a76e-d0c1135c6260,"It's bad enough that I've got to use the app for price verification, help locating items in the store, and checking inventory levels. I hate the fact that most of the items I want are sold online rather than store(understandabIe business model considering the market) I just like to see the quality of the items I'm paying for. In addition, I don't want an account with Walmart just to do things in the app. I shouldn't have the issues that I have with it just because they want my information.",2,4,1715490698000,"It's tough when you're looking for the in-store experience online. Hopefully, we're here for you. Please connect with us at: https://www.walmart.com/help",1715491972000,Walmart +b35e385b-95f6-4568-912f-6d35d5db0a05,The member prices on fuel at ExxonMobil doesn't work most of the time and the gas stations say it doesn't have anything to do with them it is the apps fault. It can't connect with the pump so I am having to pay for price for when one of the main reasons I have walmart plus is for the fuel prices. I have tried restarting my phone and clearing the cache and even reinstalling the app and it just doesn't work most of the time.,1,6,1715504097000,"We hear you, Donald and would like to look into this for you. Please contact us at walmart.com/help",1715505446000,Walmart +9d94ae76-419e-4088-a678-0d1c2886b451,"The app can't make up its mind if items are in stocks or not. Walmart doesn't seem to be in any hurry to fix. I shop on the app, add items to my cart but when I look at my cart stuff keeps falling in and out of stock. It shows in stock but the next second its out of stock. It keeps going back and forth. It makes for a very poor shopping experience but Walmart doesn't care.",2,4,1713312799000,"We'd certainly like to look further into the issues you mentioned, Beth. Please connect with us at https://www.walmart.com/help and provide us with additional information regarding this.",1713313467000,Walmart +9afc249f-07f3-4bbf-a5fe-9bf7b2dfe800,"Item will show to be available but when order is placed, it's not there.. Several times. There's no recourse. It's very disappointing when you need the one thing, you order it, it's available, you pay for it, and it's not with the order. How can I depend on a store when that keeps happening? It's not like there's a lot of options around here so they've got us over a barrel!",2,1,1715374598000,Ensuring a reliable shopping experience is our goal. Talk to us here: https://survey.walmart.com/app,1715374991000,Walmart +65a24d3a-2521-452d-956d-e3c14c07b5c4,"My only complaint is that my favorite ice cream (Ritchey's) is only offered as one choice; there's no way to choose a flavor. You have to just order it and see what you get :( It's also not possible to add a tip if you're paying for the entire order via EBT and/or gift card. You have to select ""I'll sign for my order"" and tip with cash. Otherwise I love it, and those are only minor annoyances.",5,33,1710533971000,We appreciate your words on the ice cream flavor selection and the tipping process. We’re always working to improve our services based on customer experiences like yours. Please contact us at https://survey.walmart.com/app,1710534620000,Walmart +696e2228-ad9b-4c3e-b9eb-e2f270f8dd9a,"Not great: It loads extremely slow & kicks me out of the search. There is no option on one's phone to print an online order receipt. In addition, it would be most helpful if the option to have an online order receipt emailed. I shop for other people as part of my job, and it is very important to be able to have a physical copy of the receipt when using your employer's credit or debit card. Because these options are not available, I will not be shopping Walmart online in the future for work",3,9,1714948626000,We'll explore options to enhance the receipt process. Use this link to talk to us: https://survey.walmart.com/app,1714949759000,Walmart +4e74a4ee-4998-499d-9781-044f4262985a,"Was fine but all of a sudden will not search. Says I'm not connected to internet but my wi-fi is fine and I can still use Internet and other apps that require Internet just fine. Edit: it works for other searches but not for headlight bulb. Edit2: I have logged out, clear cache, force stop. Logged back in. It seems searching specifically for 2011 Subaru headlight bulb is crashing the app. I am able to search for other things just fine.",3,8,1715531799000,"We suggest you try a forced close or shutdown of the app, and then re-launching it again to make it work. If you're still experiencing any issues, please contact us at https://www.walmart.com/help",1715531331000,Walmart +edaa0637-f158-4ee6-bee3-85a6dfaad52f,"I find the app easy to use, BUT if you're new, always check to see if: 1) your item will ship. Usually it says ""pick up in store"" under item description or (click item and scroll down to delivery options) 2) check if it is a third party seller who often charge shipping fee more than item is worth. once you are used to it, the app is easy to use.",4,7,1712793354000,We're grateful for your kind remarks. Your trust and pleasure are important to us.,1712798527000,Walmart +4ae765ca-d7f3-45e2-a554-ac32599c7ac7,"I'm 28 and have a heart condition with a pacemaker and a loop recorder in my chest, Neuropathic pain (fibromyalgia) can be mild or severe. This app has been helping me get groceries and supplies ever since. I don't have a car, and I barely have the energy to be walking all the way to Walmart to get groceries.cuz every day is constant pain, I never have sleep. So thank u, Developers and Walmart, for having this app and service. It has had a great impact on my life and ty so much.",5,3,1711744508000,We're very happy to know about your wonderful experience with Walmart.,1711726821000,Walmart +fdf39c69-4373-459a-808e-65b178df3207,Ordered a Nintendo switch on the app for pickup at my local store. When they brought the Nintendo switch out it has been dropped. So I went back into the store to take it back and get a new one. So they gave me a refund and I tried to get one that wasn't messed up. Since there were special pricing on the internet switch I couldn't get it in store. There's a price difference so almost 30 bucks. And the Walmart employees told me that there's nothing they can do about it since it was bought online.,1,2,1713141449000,"We can understand your concern however the online & offline process are different, Corri. For better assistance please contact us at walmart.com/help",1713151212000,Walmart +30dcaf8f-156a-4f04-ace1-469ea8db95fb,"Pretty easy to use. UI could be better, but not hard to figure things out. Not real fond of the wanabe Amazon side of it. I would rather just find things sold by Walmart, not other vendors mixed in with searches. Biggest downside is ordering through app. Had my Chime card flagged as suspicious activity every time I tried to use it. When I switched to card from local bank, it worked fine. Not really sure why I can't get Chime card to go through.",3,34,1711843144000,,,Walmart +5433b196-c3ed-488b-b685-813b861ae010,"They absolutely suck!!!! I ha e had nothing but issues with them regarding any order I had (missing items, expired items, mold on items), but this last order was the last straw! 2 hour delay for delivery, and never even showed up!!!!! Talked to customer service and they said it was rescheduled for this morning and to look for the update..... Never updated.... Done with them! They are not worth it especially with their meat not being fresh ever. I'd rather pay more at a store that function right",1,21,1715095526000,"This is not the experience we want for our customers, Amy. Please contact us at walmart.com/help",1715096802000,Walmart +71b906d5-5e51-4089-a898-bd2c4afeddd6,"The prices are going up and not correctly marked on the shelves. If you don't self checkout, you will not know what you are paying for items because you have to bring bags and pack your own groceries. If you don't load them properly onto the belt your food will may become damaged. I miss Pathmark and the double belt checkout. You can monitor the cashier while your groceries travel down the long belt, and take your time packing them. The next customer's items are on the opposite side.",2,2,1711784907000,Your words are our roadmap! We’re on it to improve pricing clarity and checkout experience. Please contact us at walmart.com/help,1711788353000,Walmart +e3b88a86-d8de-4e4d-ba5c-df64f25b2910,"I still really like having the Walmart plus features, my old issue is the gas station features hasn't been working correctly for a couple weeks now. Nothing happens when i tap the pop up at the bottom of my screen, so I go to the QR scanner and put in the pump number, select card, then says it can't connect to the pump. Please fix it soon.! I love saving money on gas.",3,29,1714541167000,We're here to ensure your experience is top-notch. Drop us a line at walmart.com/help so we can give you the service you deserve.,1714541616000,Walmart +247cfd13-e80c-4fd8-994a-968c0050bd38,easy to use and finding the things I need to order is easy. as far as delivery it's going to be a situation of wait and see. Update: delivery was exceptionally quick and package arrived 1 day early and I was notified the driver was on is way!! Very happy with experience will definitely use it alot more often 🙂,5,7,1711478038000,We appreciate your review and kind words. We are so glad our services made shopping easier for you. Thank you for shopping with Walmart.,1707327114000,Walmart +9f14c291-3dc0-4d61-8893-01934249177b,"A mostly useless app. It lacks intuition and ease, store mode is garbage & continuously highlights products only available online, when searching before arrival you'll find the ""instock"" it isn't or is left over broken garbage. Pickup orders is the greatest joke, if you order items in stock for pickup tomorrow the likelihood that they will be out of stock prior to the time that they pull your order is extremely high. This isn't amazon where they have warehouses the lock inventory upon ordering.",1,11,1709520261000,Thanks for sharing your experience with us. We understand your concern about the confusion you faced in the online section. Please contact us at walmart.com/help.,1709520920000,Walmart +9a22e974-8c7c-4537-a1bb-f79cefa956aa,"I'm ONLY rating the Walmart APP at 5 ⭐! If I were rating the store, well I couldn't do that since they don't have a negative 5 ⭐ option! I absolutely HATE Walmart! But, as terrible as the store is, the app is AWESOME! It's so easy to shop, to pay (even using multiple payment methods), and it's a breeze to earn points that you can turn back around and use on the app!",5,4,1714820797000,"We appreciate your input, Jennifer. Let's connect to know more about your store experience at: https://www.walmart.com/help",1714847231000,Walmart +82cbf28e-44e9-40e4-b5cb-4f4ef72d7e2e,"Not very reliable. 1. Just as I started to trust it and stopped carrying my physical card, it acted up. Error message on POS and crossed QR code on the big screen. No retries helped, associate suggested bringing a card. Long time later another one suggested to move items to different register where it finally worked. 2. It relies on Internet for everything. Which is not always good in among shelves and WM wifi is a hassle to connect. 3. Map broke after reorganization when it was most needed.",2,12,1715040264000,We certainly want to look into this for you. Would you mind reaching out to us on Walmart.com/help ?,1715041011000,Walmart +dc826188-23bf-4ddc-a30a-970f0fac5fba,"I like the Walmart app, I've had no issues so far except recently I have been unable to use my United Healthcare OTC card. At the beginning of April I had a $70 balance on my UHC card and I was able to use it in store and 2 weeks later the balance (64.02) disappeared from my wallet in the Walmart app. I have contacted both the store and UHC but no one seems to have an answer. I have deleted the card and re-entered it into your system, uninstalled/ reinstalled the app and still nothing! HELP!!",4,1,1714691445000,Let's work together to turn that around. Reach out to us at walmart.com/help for assistance.,1714694876000,Walmart +099349d1-da88-4744-ad0e-5b4149d27902,"I would have given Walmart 5 stars, but they need to work on their site a bit. I've tried twice in the last 3 months to change my debit card info because I changed banks. My account page wouldn't let me. said there was a problem with the site and to try later. 3 months and 2 phone calls later, and the thing still says the same thing. Just for the heck of it, I tried putting something in my cart without having a card listed, and it finally accepted my new card #. First call should have done it.",4,0,1710617979000,"Thanks for your patience as we work on this. We're committed to fixing it. If you need help in the meantime, visit: https://www.walmart.com/help",1710619128000,Walmart +c1f2303b-0ba9-4133-a746-bfb59f9d9b42,Receipt searching is still broken. Honestly it's never worked since day 1. I could type verbatim what is on a receipt or scan the UPC and it still will find zero results. The relentless pop-ups though... 😳 Also what is the point in store mode? I don't want to browse I want to find specific items but store mode doesn't let you do it. When an item is shown as in stock while you're in a store it's never a guarantee that it's the store you're in.,1,2,1713820760000,"We’re working on making the in-stock status more specific to your current store, Christopher. Let's connect over here: https://survey.walmart.com/app",1713831838000,Walmart +75d16f86-0bde-41fe-ae7b-b52b6d9dd7a1,Good luck getting anything you rodered through WalMart +. Half the items I order are out of stock by the time the associates finally go pull the product. Update. I tried the app again and had something delivered. I was shown that I would have free shipping with Walmart plus on THREE different pages before I purchased my item. I missed the deceptively small print that said $6.99 delivery for orders under $35 on the very last page and got charged a delivery fee. This is borderline theft.,1,4,1711612861000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with product availability within the Walmart app. Please contact us at walmart.com/help.,1664415777000,Walmart +1dc6e67c-2b9b-46e1-9a60-ab8f87f3a097,"This was a great app until the found mobil gas station stopped working. The app used to recognize what gas station I pulled into. All I had to do was to confirm the location and then plug in the pump number. That function no longer works. Instead, I have to use the scan function which works internmentaly at best, and only after multiple attempts. I tried fixing it. Uninstalled and reinstalled multiple times. Changed permissions and then changed them back. No joy! Walmart - please fix!",1,124,1711168995000,"We understand the challenges you've encountered, and we're committed to enhancing your experience on our platform. For personalized assistance and to address any concerns you may have, please share more details through our dedicated support link at walmart.com/help",1711169800000,Walmart +8cb49e2d-4a56-4c73-868a-52dd93f3c273,"$35 minimum for free shipping is annoying, but still great deals at Wally's. They're still learning how to do efficient deliveries and have a long way to go to catch up with Amazon. Also, I didn't like the fact that the $10 promo code they gave us doesn't work for any item, online an in the store!",4,0,1710721329000,,,Walmart +f3fa4cdb-bcb1-43ac-b9fb-71c3b81273a4,"Purchase search bar is absolutely useless. I copied the exact name of an item directly from my purchase history, pasted it into the search bar, and says it's not found. Search it in the normal search bar and it pops up first thing saying purchased x amount of times. It's just the purchase search bar thats the issue.",4,1,1715514240000,Your review is valuable to us. We're here to enhance your experience. Please provide us with more info at https://survey.walmart.com/app,1715514935000,Walmart +298317ad-3f92-4435-82be-5d3bc428c5b0,"Almost never works properly. Paying for Walmart+ and haven't been able to check out for week from my phone. Seems to have a brand new, super annoying bug at least once a week. I can't view my wallet at all currently, because the UI element straight up disappeared, and I can't check out because it's trying to charge me $6.99 even though I already pay for free delivery. Also, their support team is truly awful. Use the desktop site. It's not much better, but at least you'll be able to check out!",2,0,1723219125000,"We’re here for you. Please reach out at https://www.walmart.com/help, so we can help resolve this.",1723224836000,Walmart +303f3db7-2256-4581-9941-c3488be8e1f1,"1. I really dislike it when I enter the app, and I’m immediately bombarded with intrusive ads pushing me to subscribe to Walmart+. I've made up my mind every time that I don't need it. You think if it's forced on me, I'll change my mind? I just get angry! 2. The scanner is very inconvenient. I have to hold the camera over the barcode for a long time before it scans, instead of the phone just taking a photo and scanning the barcode from the picture. 3. There is no possibility to search for hist",1,0,1723184927000,"Nick, we’re here to make sure your app experience is as pleasant as possible. Contact us here https://survey.walmart.com/app, so we can look into this further.",1723186302000,Walmart +4c47d29f-c52a-468f-9680-e3f9e9997a12,App is constantly running in the background with no way to shut it off even if you force close it. It constantly drains your battery. Please fix this. Also the continuous advertising to sign up for their delivery service is annoying. You don't have to bombard the consumer with ads every 30 seconds. if they want it they know how to sign up for it.,1,0,1723325592000,You certainly deserve a better experience. Would you mind contacting us on walmart.com/help,1723326396000,Walmart +a1c4fcbe-56bb-464a-b3f3-00c45726ab42,"Quick accurate and easy! Delivery by vendors or third party businesses is a huge problem sometimes not getting your package or unable to deliver ! To a valid address. Dropping off at a local post office!! Unless third party businesses use fed ex or ups (united partial services), you are going to likely have trouble. I've given feedback to separate somewhere in the app or make more visible non walmart items. Walmart uses fed ex and ups which is quick as promised, with excellent communication!",5,0,1721956439000,,,Walmart +8072d45a-8a49-418b-8535-9874c8fba92b,"Looks up fine, unless the store renovated, then takes a while to be right again. Scan for price was good u til new update, asking for ""robot or human"" and makes you hold the button, which takes time to come up, for 15-20 seconds per scan, and does not find all the barcodes now. The app needs redone, almost as much as the grumpy people at the local store. And online for pickup is not quicker.than going in and fumbling anymore.",2,0,1723002908000,"Your input on the app and pickup experience is valuable, Tim. Let's take a look at it. We invite you to contact us here https://www.walmart.com/help to discuss further.",1723004634000,Walmart +4c9da61d-4fd6-4fd5-af0a-e40ac3030896,"I had to use the chat to discuss a problem I had with my order, and I wish all stores ran their customer service like this. I was more than pleased, I got a refund and they told me to keep or donate the item and not worry about shipping it back or returning it to the store. It was a clothing item so I am not sure if they do this for every item,.. but I was really relieved. This was the best experience I ever had returning something period. And I never rate apps!",5,0,1722131467000,"We’re thrilled our chat support made things easy and stress-free. If you ever need more help or want to share more about your experience, reach out here: https://www.walmart.com/help",1722472919000,Walmart +4f6ba9bc-54c3-4638-8d9c-500c0a680313,"I've used and loved this app for more than two years, but one of the new updates broke something. The app doesn't seem to send push notifications anymore. I count on those, especially when waiting for a delivery order. Also, it's a lot harder to see the status of orders. Instead of seeininding that on the main screen, it's now necessary to go to the past order section to get the link to track your delivery order. Fix the glitch, please.",3,0,1720925502000,"Your observations about the sign-out issue are valuable, and we're working on making the necessary improvements to enhance the app's functionality. Please provide us with more info at https://survey.walmart.com/app",1703270002000,Walmart +c43dbd00-9cc0-43b5-95b5-e13e41c4eab0,"The scanner is not working on the walmart app. I am unable to scan any products to check their price while I'm shopping at Walmart. When I scan a barcode, the scanner just spins around and never shows the item or its price. This is very inconvenient. The only reason that I use the walmart app is because it's supposed to allow you to check prices in the store. There are no price check machines in the stores anymore, so this feature needs to work.",1,1,1721711017000,,,Walmart +b465bb91-5f56-4e34-97a6-721311bab695,"Customer service is nice on the phone. But product availability or inventory is inaccuratetincomplete, or driver's do not care to complete whole orders. There are always 1 or more items missing from orders. This often means my recipes cannot be completed from lack of ingredients; for one example of the downfall of Walmart+. Yes, I've spent a lot of time on the phone with you guys. But that sounded nice. Every order has things missing, because of inventory issues.",3,1,1721163988000,We're here to assist further with the issue you've encountered. Reach out to us at walmart.com/help so that we can gather more details and provide the best support possible.,1721069986000,Walmart +0cc22dc3-43db-4319-8108-8a0d280ea0fd,"Most of the time, online is good., but 1st order I placed was missing a salad. It was a hassle, had to return to store for refund. Several orders followed, no prob. the only issues I had since were: some meat added $4 more to my total because it was larger than I wanted. 1x I got a salad that was 2days expired. Veggies/fruit are not always good ones. They don't choose the best, they just grab it I guess & 1x ignored my sub request & tried 2 sub something else. Otherwise, I do ❤️ the convenience!",4,0,1721894754000,,,Walmart +c165ed27-ce68-44d0-b76a-79cb081a7209,"Worst experience. I tried to check in with the app and it wouldn't let me. I called the store and customer service gave me the wrong phone number. My pickup person sent me the correct phone number, I called it and it went to voicemail. Longer story short, we didn't get our order because the app wouldn't work like it should and let me check in. COMPLETE DISAPPOINTMENT. I tried the Walmart help section online and just got the run around.",1,0,1722637179000,"Thank you for your review. Contact us at https://www.walmart.com/help, so we can address your concerns.",1722602315000,Walmart +c42f24e1-9f8f-432b-beff-12d652839dc8,"Used this for a while. Stores don't follow the rules for this. So things are in wrong places. You have hold things in store that app says isn't there. They can have 50 and really, none. My final issue, it says I live in west Virginia. I change it. It doesn't change. I create an account. Address isn't WV. Right back to it. Update. They tell me to go to this website. I've done that dozens of times! I've done it for incorrect pricing help! I've done it for app issues! Wake up wally world",1,0,1720642045000,We're here to help. Connect with us at https://www.walmart.com/help,1720640407000,Walmart +272d94ca-ae12-4fe5-8415-d62fffa4b5ce,"Fix this app!!! (About pickup orders) It's showing me a changed interface and I had to search for several minutes to find my previous orders with zero luck. Not to mention once the order was ready for pickup I had to call the store to check in because the option to tell the store I was on the way and the button to check in magically disappeared. I don't know if it's just my phone or what, but it needs to be able to support Android phones from 2021 properly if that's the case.",1,0,1720505049000,"Ellie, allow us to rectify the situation and improve your experience. Get in touch with us at: https://www.walmart.com/help",1720521851000,Walmart +c6b9abaf-e759-4039-9736-b1f0c5db0e2b,"Was at five stars but since the last update the scroll feature is glitchy. When you try to scroll the page up (thumb slides from bottom to top of screen) to see further down the list, it is like it hits a bumper rail and bounces back to where it scrolls the list upwards instead (as if you slid you finger from the top of the screen down to the bottom of the screen). I double checked for an update, which there wasn't, and restarted my phone. Didn't help. Plz fix.",2,0,1719125387000,"Thanks for flagging the scroll glitch, Jennifer. Kindly connect with us here https://survey.walmart.com/app to assist you further.",1719131232000,Walmart +c614508a-8e24-4650-a623-c28a33a69bdf,"Yeah, good enough after learning the quirks. But 2 days now, when trying to sign on. I put in my e-mail, and got a red box saying to install the latest app. I updated the app on the Play Store. Same update message. Have done delete app and reinstall app 5 times. Still getting the notice. Cleared my history on my android phone and did shutdown/restart. Still same message about needing to install latest app. What do I do now. I need to order stuff !!",2,0,1718848005000,We'd like to understand what went wrong. Can you reach out to us at walmart.com/help with more details?,1718850327000,Walmart +3eb682d0-c76b-49c8-984e-609eb7d51778,"Sometime in the last month, they've removed the totals from the purchase history page. You can only see how much you paid in View Details. This makes it much more of a hassle to go through at end of month, total it all up, and reimburse my roommate for my half. In fairness, this isn't just an app change, they did it on the website too. Walmart, your attempt at nontransparency is, ironically, very transparent and frankly tacky. Respect your consumer enough not to hide our bills from us.",2,0,1718141100000,We're dedicated to your satisfaction. Please share your experience with us at https://survey.walmart.com/app,1718143299000,Walmart +4a203d6a-d697-4e37-80e8-04980579165d,"Suggestion more than anything... I use the app both in and out of the store. One thing I would LOVE...is if there would be some kind of log/list of what I scanned in-store to check the price. Even if it's only in the search list. I was in a local Walmart tonight, I scanned a few things I would like to look at again, to potentially purchase, but I don't remember the exact name & I don't see it under a broad search. Thx",4,0,1715974114000,"Thanks for sharing your idea, Jilian! We'll explore options to help you easily find items you scanned in-store. Please connect with us here: https://survey.walmart.com/app",1715975810000,Walmart +a5b043a1-4d05-4b72-afdd-5c66d96c1ce2,With the latest update this app has gone down hill! (I know darn well its not my internet connection it was trouble shot yesterday and my cell phone is brand new.) Items you click to add to your cart add but then when you check your cart it looks as though it was never added. But when you click back from the cart to try to add the item you had previously clicked it shows as if it was never added. So when you try ot re add it (even though you already did) it freezes the whole app.,1,2,1720639088000,We're here to help. Connect with us at https://www.walmart.com/help,1720640418000,Walmart +52c1716e-28db-4765-a94e-b6afe6338004,I don't like the fact that when you order on line. It says to pick up in store. Than when they don't have it. The shopper substitute a bigger item. Than the customer gets charged more money. They send a notice by email. Like who sits and baby sits their email ? Plus the fact they charge your card more money than you spent. There are times I see the higher charge than the actual charge on top of the higher amount that doesn't get taken off. but if you're shopping in the store. they don't do it.,3,2,1719142783000,"Arlene, we're here to assist you. Let's try to work this out together. Click here https://www.walmart.com/help to connect with us.",1719143618000,Walmart +559f111d-598b-413f-bf5b-9b2a2e220884,"I have really liked the ease of the Walmart app. The only downside I've found is that most times I do a grocery pickup or delivery they send me old/ older bakery, fruits & Vegs, meat cuts that are fatter than lean, I rarely receive the fresher things. That does make me mad, but for cereal, chips, can food, etc. All of this is usually fine. As well as the items I order that are non food is always good.",5,2,1717468342000,"Stephanie, we'll investigate this for you. Feel free to share more details here: https://www.walmart.com/help",1717468910000,Walmart +edc58308-8791-4e75-b8fa-28b2b8a1e45a,I really like this 30 day promo deal But I wish that they had the same deal that Amazon has 4. It's lower income customers n a cheaper yearly rate I love the fact that you now add a EBT or social security for a cheaper option on the yearly rate. The only problem I'm having now is I'm still being charged a delivery rate after I paid the $49 for the yearly rate I did consider downloading the app but if I'm going to keep having problems trying to put an order in I'm not going to download the app,3,0,1717062152000,,,Walmart +564912b9-3fb7-43b2-bb33-c8db9856fb1a,"Walmart+ customer, after finally deciding to download app, I thought what a waste of my time. The app keeps freezing up and stops working everytime I use it. I have had it installed for 3 days and I have yet to use it when it just doesn't stop. So I removed the thorn in my side and uninstalled it. Glad it works for a lot of users but in my case I give it a big thumbs down, a goose egg, a zero and a great big No Thank You! Come on Walmart you can do better than this. Done wasting my time on this.",1,0,1717635403000,We're eager to address your concerns. Get in touch with us at walmart.com/help to discuss further.,1717635092000,Walmart +cf5700c2-4802-4d51-ab38-8b8eab3e4f65,"I used to love this app a few years ago but there are so many bugs now. 1. The ""list"" feature can be helpful when shopping in-store, except they took away the option to move the order of the items are on the list. 2. When I delete something from my list, it always glitches and moves from where I was on the list to wherever the app sees fit. 3. When an item is out of stock, sometimes it'll give me the option to see what location has it in stock, sometimes it won't. Id just like some consistency!",3,0,1715857778000,"We value our customer's review. Please provide us with more info at https://survey.walmart.com/app +",1715860877000,Walmart +4bbc47db-9d33-456b-911c-e864ae4ac1c9,"Problems since first launch. I get signed out all the time. Currently none of the codes I'm sent to login or my password works. The app is always having technical issues and I'm not able to place an order. The ""list"" feature is horrible. I can't choose which list I want to add something in and when I try to add something, there's an error. The food quality that the shoppers pick is bad. I've had issues with this site and app since it's launch and if I had a car, I wouldn't even shop at walmart.",1,0,1716487064000,Thank you for bringing this to our attention. We are dedicated to improving the user experience. For further assistance please feel free to contact us at walmart.com/help.,1716487906000,Walmart +e2643383-5397-4312-89bd-76499d467987,It took me 2 1/2 hours to try to achieve my order through the app. By this I mean I added items to my cart to be delivered to me and there were a lot of glitches during the whole process especially the choosing of substitutions part. I ended up just going to my computer to finish the order. It was a large order but the app timing out and glitching more than 5 times made it stressful.,1,0,1718474225000,That sounds frustrating. Can you contact us at walmart.com/help so that we can understand what went wrong?,1718475412000,Walmart +cf5f91ef-01b4-4ddc-96a5-bf73d3593f3b,"New app update is trash. It wont let you scroll! When trying to scroll down it keeps trying to sling-shot you all the way to the top. VERY frustrating. How do you expect us to browse when it keeps bouncing back to the top of the page! Tried to uninstall and reinstall to fix, issue persists. It is so bad it makes it unusable on my phone at this point in time.",1,1,1718619522000,We apologize for the frustration you're experiencing with the recent app update. Please share more info with us at https://survey.walmart.com/app,1718647432000,Walmart +e23c5635-faaa-4456-8b81-53fb001b8129,"Waste of time and money. Cant even cancel orders, and the shoppers and delivery employees are extremely unreliable and rude. Nothing listed as available for delivery is actually available, ive tried 7+ times to order an item we need but its always eventually either listed as ""unavailable"" and left out of the orders, or it mysteriously disappears on the way to delivery and i have to file a claim over it and try ordering again, or try ordering a different item. Complete waste of my time and money.",1,0,1716027162000,We hear you and would like to look into this for you. Please contact us at walmart.com/help,1716028747000,Walmart +7a3948f0-1d38-468c-9a56-255519380133,"I'm giving them a 2.5 rating. I use their pick up and delivery services, due to my limitations and they're the closest store near me. More times than not my order isn't filled/picked properly, whether it's missing items; poor product picks; rotting produce are just a few of the reasons why the rating is low. Customer service and value is products have tanked in a major way. Employees aren't trained how to pick quality produce or how products are sold... DO BETTER WALMART!",2,0,1717186726000,We never want you to have a bad experience with us! Could you please connect with us at https://www.walmart.com/help for further assistance?,1717188387000,Walmart +a6956d3a-cc39-4704-8649-bc30906ad362,"The app is not letting me remove items from my curbside pickup order. It has been very easy to add items and add on to the final total of the bill, but when I try to remove items to save money, there's technical issues. It's very suspicious when Walmart has technical problems when it comes to releasing some of the $ in this situation.",3,1,1722924661000,We're here to assist further with the issue you've encountered. Reach out to us at walmart.com/help so that we can gather more details and provide the best support possible.,1722925276000,Walmart +1fc71786-ba0d-48aa-ae6d-50c505565ffa,"When they get it right--awesome! When things go awry--just prepare yourself for trench warfare! l am still out $86+ for an undelivered order from JAN and $35 on añothèr in spite of multiple cust svc conversations to fix. Many other ""undelivereds"" were resolved only after multiple calls. BTW & FYI--Don't waste your time with the Chat option. While you get an immediate response, the answer will not have the remotest connection to the question you asked. You get aggravation,but no extra charge. TY!",3,0,1722404499000,"Joyce, we're focused on ensuring better outcomes for undelivered orders and enhancing the accuracy of our chat support. We invite you to contact us here to discuss further. https://www.walmart.com/help",1722405262000,Walmart +2c266cf4-30fb-47b4-b5b7-a0f1d94756bc,"Pretty much loved it until there was an issue. Had an order, which was missing almost everything, and after waiting on hold for over an hour on hold was told that, instead of delivering the missing items, my only option was a refund which may take a week to get! Pretty lousy first impression of your customer service.",3,0,1718573552000,We're here to help you with this. Please head over to walmart.com/help and we'll sort this out together!,1718573074000,Walmart +2403a5e6-da85-47cb-b388-f6d7ee8c917b,"worry about buying clothing had a lot of bad reviews for fit, sizes, and quality...everything I order comes intact and undamaged on time so that's a win. going to start trying for clothing soon. will update if not a nightmare as I can not afford Ubers to return items. only thing I ordered so far wasn't good was window clings for privacy. cane cut up used obviously, diff size strips looked a mess. should have checked the reviews. always do now. hard to want to order from anyone not having many.",4,0,1721679801000,,,Walmart +66b85e4c-7d05-4ba1-beb3-166aa58ba90d,"Never loads when I need to make changes to my order. I get the notification to edit substitutions, and instead, the app loads endlessly until I get an error message. It's extremely frustrating. I end up without items that I need all the time due to not being able to choose substitutions. Can't even make the meals I planned for without going inside the store in the end. Waste of time and money.",1,0,1717374505000,We're here to improve the app's performance. Please provide us with more info at https://survey.walmart.com/app,1717382407000,Walmart +b0a1aba1-bb63-45c0-b8aa-b862cd2b9057,"I did not enjoy that buying experience at all. Shipping was almost $20, which seems extremely high to me. Then I go to checkout and the total price went up a few dollars. Alright whatever, then I entered my payment information and it went up a few more cents for no apparent reason. Man, Temu and Wish were a better experience then this. I feel like I just got scammed.",2,0,1715432597000,,,Walmart +00082556-a14a-4b98-baea-2dfce4835f78,"Ordering is simple. But, when order is put in & then the game begins. Items missing, I get other people order, or I don't even get my order. The SIMPLE task of ""ring the doorbell "" !!!!! 🤦🏻‍♀️ I am ABSOLUTELY POSITIVE that the driver(s) doesn't read ENGLISH. 9 OUT OF 10 I'll bet. The texts to stay on top of your order. NOPE! IT'S getting very overwhelming. I've had to depend on Instacart often now. I go out to say thank you & blank stare.",3,0,1709682191000,,,Walmart +4a08a338-4d9d-4de0-9422-89d433320a83,"Terrible. I don't understand how one of the biggest chains in America can not cancel an order. I mean, if they had canceled and refunded me, I was going to buy the better watch option they would've had an extra hundred dollars. But apparently, they can not cancel. They can ""try"" to cancel, and if successful, I would get ruined in 10 business days. Basically, I wait to weeks or get an inferior item. Never again will I buy anything from walmart. If target, amazon, best buy, can well....",1,8,1713604042000,,,Walmart +a2acf61b-9bc6-4922-aed4-b36f8e73c9fd,"this app is set up pretty well, and i like it. I would really like to see an option for items or certain ingredients not to be picked as a substitution such as artificial sweeteners, gluten, sugar, and such. the settings menu needs to be more streamlined or condensed a little better. the search option does not work well at all. if you search by price, it is still misorganized, and they put sponsored and other higher priced items first. option to ship or have missing items come from another store",2,0,1713749746000,We value our customer's input. Please provide us with more info at https://survey.walmart.com/app,1713754760000,Walmart +5bd4d989-e036-4fa2-be93-dc07061784a1,"God damn this app. Always having 'technical difficulties' and never loading even when I have internet connection. I hate how this app works. I don't have half as much trouble with the website. Wouldn't be an issue at all if I had a car but since I'm stuck in the middle of no where with no vehicle I'm forced to use this app that causes nothing but anger, missed time zones due to the 'technical difficulties' all the time. FIX THIS FRUSTRATING APP",2,0,1710891299000,Thanks for sharing your experience with us. We regret for the issue cause to you while accessing the Walmart app. Please contact us at https://survey.walmart.com/app. Thank you.,1710892768000,Walmart +6934d170-b57c-4067-856c-db46497368cb,"It was great when it first started but it hasn't kept up with the needs of its customers and how we shop. It doesn't remember anything and changes my tip to be more than I stated EVERY TIME. You just can't get your order in line and check it out because it will change things for me that I don't want. I don't like that at all. Shame on Walmart for doing that. Amazon is much easier, cleaner, less user unfriendly, etcetera etcetera",1,0,1709150308000,,,Walmart +446a1740-52a5-4d3a-bc56-bf371faea561,"using the app; the price shows as $9.98 with 2 day free delivery. When I add the item to my cart, the price suddenly increases to $26.35. I called the number in the app and was told to contact the local store to ask why. I was told by an associate at the local store that this is how the app works and is normal. The item is not on clearance, but since they don't have it in stock, the app defaults to a vendor/supplier who can set whatever price they choose and walmart has no control. WALMART SUCKS",1,3,1710380090000,We're sorry to hear about your experience with Walmart. We don't want our users to have such an experience. We'd like to ask you to connect with us at walmart.com/help for better assistance.,1710381876000,Walmart +a1fe0949-765c-4702-9d62-4a7166461b35,"Quite good overall except for including lots of irrelevant things in search results; it can be hard to filter down to exactly what you want. I find the ""messages"" and ""My savings"" sections in the My Account page to be irrelevant & annoying; I wish I could get rid of them but that's impossible. Actual in-store prices often vary from what the app shows for that store. Note to others based on my previous experience: you may need to uninstall/reinstall if the app size gets bigger with each update.",4,155,1708394508000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your issue with our App Development Team. Please provide with more info at https://survey.walmart.com/app,1689881772000,Walmart +f06c65c1-0854-4c35-a773-df481e0db3d0,"The delivery is great, however, we always purchase in bulk and request bulk, but rarely get it. For example, wanted one 5-pound box of dog bones, and received five 1-pound boxes. The cost was almost double. Maybe it's a way for them to either make more money or get rid of slow moving products? My biggest complaint though is that I requested a RECEIPT and never received one. Even went to the delivery/take-out manager and requested receipts as we order quite a bit.",3,0,1708953747000,"We appreciate you sharing your story with us. If you're having problems with grocery delivery, please contact customer service at walmart.com/grocery/help. Please use https://survey.walmart.com/app to contact us if you have any suggestions for the app.",1708955903000,Walmart +14bc54d6-f58e-432f-a6cb-47db91af6b3b,"Generally smooth and works great overall. I have only 2 complaints. 1) sometimes it assigns you to a different store without you choosing that, and 2) it's difficult to change the tip amount. You can click custom tip, but then the new amount won't actually be accepted if you just continue through checkout, you have to hit the right button.",4,0,1709420901000,We’re glad to hear your overall experience is smooth! Your words on store selection and tip adjustment is invaluable. We’re always striving for perfection at Walmart. Thanks for helping us improve. Please contact us at walmart.com/help,1709422454000,Walmart +26157562-e383-4d50-95a1-b5d17e7477e8,"This is the only app on my phone that continuously freezes up, and after waiting several minutes, sometimes it will start working for a minute but freezes up again. I've uninstalled/reinstalled multiple times, turned my phone off for 10 minutes and restarted. Nothing keeps this from happening. I get so angry, I just shop on my Amazon app (always works great). Also, this app Repeatedly shows that items that are ""in-stock"" for Shipping, Pick-up, And Delivery, which are not in-stock. Wastes time/$$",1,0,1712974175000,We regret for the inconvenience cause to you & We understand you've had issues with the Walmart app. Please contact us at walmart.com/help.,1712975929000,Walmart +babccfdb-56d5-4e05-a2c4-83cb47a840e4,I have spotty cell reception where I live. I have an easier time streaming video than I do successfully completing an order with this app. That is ridiculous. I keep losing my reservations for delivery due to the app not letting me check out even though I can exit it and stream video. Also it doesn't allow me to specify quantity for substitutions. So if I ordered something and they don't have it I either have to accept the quantity they decide I need of the substituted product or get a refund.,1,0,1710733528000,"We aim to provide a seamless experience for our users, and we apologize for any inconvenience. For better assistance, please reach out to us at walmart.com/help",1710482485000,Walmart +41a4aafa-1b35-4fd6-9917-a3410a44f14a,This is ridiculous. Every time I purchase something I use Walmart pay. Then if I need to return an item I will go to my purchase history and try to use the scanner tool and it always says that the item is not found. I try to type in keywords and they also say no results found. It's bulls#!t... I have to go back over each receipt to find the item I'm looking for. Unacceptable!,1,2,1713940242000,"We'll look into improving and to make returns smoother for you, Michelle. Drop us a message at: https://survey.walmart.com/app",1713940890000,Walmart +2b2e28de-06fe-4c34-a057-0eaaac037ded,"I have NOTHING but issues using this app. I tried their grocery delivery and had my delivery stolen by my delivery person. Took a photo of the front of my building and drove off. You have sellers charging more than the item to ship. I ordered a sofa for delivery. The app sent it to an address that I haven't had on my acct in YEARS. Blamed on a ""glitch"" in the system. Got refunds for both (one required the BBB) but the service being horrible every time means I'm very much done using this app.",1,1,1721805363000,,,Walmart +0d28d8e5-c54a-46d8-8f79-a834758627ef,"Got scammed, I was charged for things that I didn't and trying to get refunded and stuff was torn never fix, plus got other people orders and missimg orders with no refund and took 1 hour to get live person when call the costumer service. Its not just $7.99 a month, you pay for some of the shipping too and I won't use there app or refer no one else to their app. I had them for a very long time too. Plus make sure you have a computer and printer or you will be deactivated too, for not having a🖨️",2,0,1717927219000,We're here to offer further assistance with the issues you're facing. Contact us at https://www.walmart.com/help to share details and receive personalized support for the best resolution.,1717953416000,Walmart +da4aeb7c-6ac7-4edc-ac79-9af5fb03fb39,"I normally love this app but yesterday it started telling me I had no Internet and it wouldn't load. I'm on WiFi and it's working just fine. I went off WiFi and it still wouldn't load. Tried again today, same issue. I uninstalled the app, restarted my phone and when I downloaded the app again it wouldn't let me sign in and just keeps saying something went wrong. Please fix I use the app every week!",1,1,1713037041000,"That's not the expereince we wanted you to have with our app, Krissy. Please tell us more details about the connectivity issue you faced with us at https://survey.walmart.com/app",1713037460000,Walmart +9f009598-9fb4-45cd-90d7-81523c21f500,"Truly love the delivery people. They are kind, caring and so helpful. It takes me almost 2 hours to walk the store, and I generally stay in the groceries. I especially like getting the price per ounce, just like when you are in store! It saves me energy and is relativly pain free shopping from home. There are quite a few items that only they sell. I like the store brand food and other Walmart products.",5,69,1708603381000,"We are so glad you had a great experience, Karen. We love to make our customers happy with our services.",1708603981000,Walmart +bf2fe1b2-4ce6-4c75-81dc-e4a149813333,"Bad! I decided to try online pickup. I should not have. I arrived at the store and they wanted me to download the app. No. I called the store to check in. The number was disconnected. Finally get through to someone but I don't hear from anyone. Begrudgingly, got the app. Of course it takes forever because your warehouse-buildings suck up any cell signal... The app REQUIRED my location? Y? 👎 I finally find my order in the app, and the loading wheel spins..... 40 mins later someone comes by.",1,0,1718590751000,"Zachary, we're committed to making your experience better. Please let us know how we can assist by entering more details here: https://www.walmart.com/help",1718591704000,Walmart +60a8b146-ef60-406e-a953-4f980401a94c,"I do not like the way you have divided up the list of food that goes to g4ther and It takes too long to find your groceries and then check your order which I never did get to do, and I ended spending over $100.00 again for myself and two cats I never seem to get out of Walmart under $100 and that is too much for one person to spend in a month. I know everything has gone up but that is really just too much. I think the new system is just very hard to read. . Go back to the old way please.",3,0,1709455926000,We appreciate you telling us about your experience. We regret if using the Walmart app caused you any trouble. Please visit https://survey.walmart.com/app to supply us with further information.,1709462021000,Walmart +cdd5d92c-4f6a-453d-b92f-f638a73c4b2f,Such hot garbage. The UI is cluttered and non intuitive. Some extremely useful functions that used to exist have been removed. I've been using the app since it's inception. It was slowly improving for awhile several years ago then go way worse and stayed bad. Whomever is in charge of the UI should be embarrassed.,1,3,1720162563000,"Thanks for your feedback. We’re sorry you’ve had issues with the Walmart app. We’d like to know the details of the problem you mentioned. Please provide more information at https://survey.walmart.com/app, we'll pass it along to our development team, thanks!",1692693739000,Walmart +0ec93c1e-ee88-4d7f-b2e1-addabee46444,"I like the ability to place an order for delivery, very much, however, I do not like the inability to check on the status of refunds for items returned. Customer support for that is also hit and miss, sometimes the chat representative is incredibly knowledgeable and helpful, other times they are don't understand what is being asked and it is incredibly frustrating.",4,0,1709436900000,We always want our customers to tell about these things. Please feel free to share your thoughts in our survey https://survey.walmart.com/app for assistance.,1709439505000,Walmart +da14ed9d-4a3b-4759-bd19-044975fd95ee,"The app does not automatically locate the store you're in although it access to your phone location. And it's hard to find the setting to change the location. Also, when you try to find an in-store article it still comes back with articles that are only available on-line. The app is not user friendly.",2,0,1722736567000,Your review helps us identify areas for improvement. Please provide us with more info at https://survey.walmart.com/app,1722738931000,Walmart +ec00a9e6-56a1-48ce-baaa-5c73fe439004,"I love the app. I like having groceries delivered. That being said, I pay for the app, which in turn provides a job for the Walmart employee. I do tip. But if I choose not to for any reason. As a senior citizen. I should not be bombarded with many texts requesting tip. At times I tip cash. I do not like the idea of your employee feeling they deserve a tip at anytime. People like myself who order twice monthly do not feel the need to tip the driver. It is their JOB. THE APP ITSELF ENSURES A JOB",4,0,1713655687000,Your input helps us grow! Kindly provide us with more info at https://survey.walmart.com/app,1713659842000,Walmart +c68d47ad-b028-43bb-a562-72a4bca192a3,Don't use the delivery option. We used it on 3 separate occasions and every time not a single thing that was delivered was correct. Not even exaggerating. We made 3 orders worth $100s and they brought us the weirdest off brand products and items we would have never ordered. Incredibly infuriating because I rarely get the time to go grocery shopping,1,0,1713482609000,We’re not content with that! Please tell us more about your experience at: https://www.walmart.com/help,1713485308000,Walmart +b102ad3a-768c-449a-b446-9c4aa6030add,Our nearest location which we all use almost daily has been thru many changes in floor plans outlays and staff is almost all new faces whom just stare at us oddly and it's quite uncomfortable anymore. I miss the old crew and the store being as it was prior to this outlay. It's so confusing and odd nowadays. Hopefully this changes and I'll give another review.,3,0,1719175748000,"Your satisfaction is our priority. If you have any questions or need help, feel free to reach out at https://www.walmart.com/help",1719189897000,Walmart +c18bcfbe-975e-48b7-8dff-9e18c4c39bf5,"EDIT After subscribing to W+, I was unable to return an $1800 laptop for a refund for anything but store credit even though it was unopened, I never signed for it and it was left unattended on my front porch, and it was within the 14-day electronics return window. I have also found no way of cancelling W+ or deleting the card that it is scheduled to auto-debit since an app redesign. I cannot find any way to contact support. ORIGINAL REVIEW Much cleaner/less cluttered than other shopping apps.",1,28,1708074177000,"We appreciate your kind words. Keeping our app easy to navigate is a priority, and we're delighted it contributes to a better shopping experience for you.",1705716964000,Walmart +74282927-deb8-4e76-903e-6b7fa8849d57,"Frustrating, and ultimately not worth it. You can use the #Walmart app for looking up prices, provided you're willing to give them your vital information. The app can help you find items in the store, provided anyone has bothered to update locations. Just keep on mind it is a pain to use either of those functions, you will have to dig for the information. NOT recommended.",2,2,1721187748000,"We're not happy to hear about your frustrating experience with our app. Your thoughts on the usability and privacy concerns are important. If there's anything specific you'd like to address, please let us know how we can help improve your experience at https://survey.walmart.com/app",1721188455000,Walmart +0acaed9d-b777-4b8e-a0c2-1ff23b93f234,"sometimes you can't get refunds for things that qualify for refunds, have to return things in store that you had delivered. delivery people sometimes steal your groceries, take a photo of groceries was delivered but i was missing a few essential items for a meal so a reorder was necessary and was not refunded for my missing items. Walmart also places a hold for more than you're originally charged and claim it will be refunded to you but i still see the charges on my bank account separately",1,0,1721955814000,We value your feedback as it highlights opportunities for us to improve our service. Share your experience with us at: https://www.walmart.com/help,1722400976000,Walmart +bd6785fb-43e3-4d6b-a988-3030c71999a3,"I love the App so much but some things can change 2 make it a perfect app. 1.) The ability 2 shop from more than 1 store. Before the update I was able to shop from a couple Walmarts in my area, now I can only shop from 1. This is an inconvenience if 1 store doesn't have availability for an item I can't shop the next store. 2.) If I substituted an item I only want what I substituted for, nothing else. Regardless of being able 2 return it. 3.) The ability 2 add an item to order at shopping time.",4,0,1709315480000,Your words is our roadmap! We’re all ears for your suggestions to make your Walmart app experience even better. Let’s perfect it together. Please contact us at https://survey.walmart.com/app,1709316061000,Walmart +7a9d4aa4-b976-486d-ba9f-e32f8630ea86,"Sometimes, probably due to high customer usage of the app, it is difficult to place an order. 😑 There's more. It's nice to save gas and not drive to the store, so I call their 6881 number, but the Clearlake, Cal store refuses to answer. As a test I let the phone ring, unanswered, until, from across town I arrived at the store. 🥺",2,1,1712371261000,,,Walmart +ff08faa7-caec-4c02-ad4f-ace5d0e2224d,"Changed their delivery times to a 2 hour window which means that you need to order even earlier to be able to get your groceries in a decent amount of time, unless you want to pay extra for the faster delivery. Drivers and shoppers were terrible at their jobs to begin with, I'm not waiting even long for that. Canceled my W+ and won't be looking back.",1,0,1722766475000,,,Walmart +bfbeda76-bf86-47b6-a680-862c3c254909,"Solid app all around, allows you to locate stuff in-store since it's difficult to locate a helpful employee sometimes. It allows you to order thing ahead for easy pick up and now allows you to gain Walmart Cash which is also really neat. Only reason why I haven't put it at 5 stars is because getting to the Walmart pay option is a small maze of menus and options to final get to the option to use it. It should be right on home and easy to press. Other than that it's great.",4,5,1712125756000,We've noted that you're experiencing difficulty with payment option. Please get in touch with us at https://survey.walmart.com/app.,1712128050000,Walmart +7762c5f3-4872-4753-9d6b-88d7af84d8a5,"Good then bad. At first it was great for online shopping, in store price check. I didn't try any other options. Today it went shaky, nervously, shot back up while scrolling down my buy again list. I rebooted and restarted my phone, but it still continued. I had to Uninstall and continue with online version.",3,1,1718315610000,We're here to assist further with the issue you've encountered. Reach out to us at walmart.com/help so that we can gather more details and provide the best support possible.,1718317004000,Walmart +dfd982d5-b45f-4690-9b3d-00130926b201,"Ordering groceries online has become an issue due to substitutions. I end up with 10%-20% of my order changed due inventory issues. Don't list the products as available if there are questionable quantities. It's ""bait and switch"" tactics - I cancelled my last order and will not be using the service again. I'll pay 20% more at HEB and receive what I order.",2,0,1709066127000,,,Walmart +aec9f856-080d-435e-95f7-e6f1cbafd340,You can no longer use it to see the cost of an item when you scan the barcode. Not good when there isn't a price on the item/no tags under the item when you are thinking of purchasing and only way is if you pay and use scan and go. Uninstalled noponit having it anymore when a key feature doesn't work anymore.,1,1,1722375574000,We'd like to look into this for you. Let's address your concerns about the functionality. https://survey.walmart.com/app,1722398466000,Walmart +babdcc3d-2f4a-4bc1-9c62-198f34d91f3b,"I love being able to order my groceries online for curbside pickup. Very convenient. The app really frustrates me when I am scrolling through the list of ""my items"" though. Whenever I get to the bottom of a section, it takes a moment & loads more items for me to continue scrolling, but then it shoots me up to the top of the list so I have to scroll down to the bottom again. Where, once again, it loads the same items then shoots me to the top before I can even see them. Very aggravating.",2,0,1627461041000,,,Walmart +9242da39-56f7-4e6a-814f-601720ee27db,"New Wal-Mart app sucks! Previous one, used for years with ZERO issues. New app will not allow you to view your cart/make changes to it. When you tap ""cart"" a blank screen comes up (I wait) and at the bottom, it says ""check out"" you can't see your items, make changes or anything. When I tapped on checkout, it sent me back to the home screen, so annoying. Reached out customer service, no help there at all, wouldn't even consider a e-gift card for my troubles. I deleted the app! Amazon I go😊.",1,105,1632770441000,"Hi Ree, we are sorry to hear that the Walmart app is not loading properly. We suggest you try a forced close or shutdown of the app, and then re-launch it again to make it work. If you are still experiencing loading issues, please contact us at appsupport@wal-mart.com. Thank you. +",1635730094000,Walmart +57f36db1-bd5d-4b50-af77-974917ad9b69,"I'm not sure if this happens to anyone else, but when going through my saved list of items, the app seems to freeze. The further down the list I go, the slower and slower it becomes. I will try to select an item, and it will not do anything for up to a couple of minutes, and then register that I selected am item to put in my cart. I try manually restarting the app, and that will help for a couple of items, but then it slows waaaay down again. It ends up taking 3-4x as long for me to shop.",3,1,1629060427000,,,Walmart +0530afd3-0c1e-4481-8bb9-bf567ef1dc16,"The food order and pickup are phenomenal, the free shipping is great, BUT the gas discount continuously has technical difficulties. I can't tell you how much money I've lost. I've uninstalled and reinstalled my app multiple times. I have the W+ because of the gas discount. I'm not sure I'll renew.",3,0,1715673371000,"Your loyalty means the world to us, and we're committed to earning your trust back. Please share more info with us at https://www.walmart.com/help",1715674068000,Walmart +2862a127-fbb9-4ded-a3a9-7146d15ae34d,"Don't EVER subscribe to Walmart+. I canceled my subscription back I'm August and they re-opened the account. Then, they couldn't refund the $111 because I closed the account today for the second time before the refund went through. I wish i could place a picture of how ridiculous the email was. I am definitely reaching out to the BBB due to this behavior. They are scam artists.",1,0,1712113610000,We've noted that you encountered an issue with a recent refund. Ensuring convenience in returns/refunds is our priority at Walmart. Please reach out to us at walmart.com/help.,1712119392000,Walmart +58ec6d41-503f-4795-9921-49abc832dc6b,The improvements earned one more star but leaving the app for my lists is still awful and it's impossible to delete lists on the website. So I have a bunch of old lists to look at or I have to remove every item individually and rename the list. But all this happens out of the app And I still hate having the same cart for in-store and shipping,3,6,1714173522000,Your input is invaluable to us as we strive to improve our app and create a better user experience for all our customers. We encourage you to share more details through the survey link at https://survey.walmart.com/app.,1714178023000,Walmart +63d60e50-2b97-4db0-9248-b0663415d450,"Lots of issues. (1)Credit/Debit card processing is TERRIBLE. You make a delivery order of $250, they put a hold for that. When the delivery is completed, they make a SEPERATE charge for the amount instead of updating the original. So you have $500 held for about 10 days until the original falls off. (2)Item availability is horribly inaccurate. Considering everything is digitally monitored, you'd think they'd update out of stock items. (3)Shoppers/Delivery Drivers regularly do not respond to chat",1,0,1710728655000,We hear you and would like to look into this for you. Please contact us at walmart.com/help,1710729845000,Walmart +02f05074-a0cd-4570-b63d-907a7da14f26,"Wish I hadn't updated. Previous version worked perfectly for me. I used it regularly for grocery pick-ups. The layout was simple and it was quick and easy to navigate. New version is sloppy. Not as easy to find items. What used to have a clean layout is now broken up with product ad banners, sponsored products, suggestions, shipping available items... Overall cluttered. For grocery pick-up this new version is annoying and a mess.",1,3,1633306072000,"Thank you for sharing your experience with us We are in the process of rolling out a new and improved app experience to make shopping easier. Please reach out to customer care at walmart.com/help for issues with fulfillment of your order. If you have suggestions for the app, you can drop us an email at appsupport@wal-mart.com + + + + + +",1638874523000,Walmart +6734331b-f012-4324-8993-116afd7d3098,"I cannot stand the new update!! Walmart grocery pickup has been my go to for years. Now, when I try to grocery shop, it pulls up a ton of things that aren't even available in store. Yes, I can select ""available in store"" but as far as I can tell, you have to select it for each item, which is annoying. Prices are also completely inaccurate on some things, which makes shopping very difficult! I also miss the option of having two separate shopping carts, one for grocery and one for other things.",1,0,1628053821000,,,Walmart +4718c839-0e0a-4182-9f23-92c3c103c0f4,"The new update is very disappointing. Before I could choose either the pickup and delivery ""side"" of the app for groceries, etc., or I could choose the ""everything else"" side. Now I have to search for the item I want and filter for pickup for EVERY SINGLE ITEM. I just want to be able to add my groceries quickly and move on. The ""search for everything"" bar was not an improvement to this app!",1,0,1632102165000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with filtering between Pickup & Delivery vs. Walmart.com. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1633459513000,Walmart +9cad99b1-38ff-4367-94d7-ffbd8afb97ec,"App is unstable. Payment(s) split by EBT, other payors is NOT properly split! The last 2 delivery orders of mine only a very small amount (under $4) was used when all items were eligible, using bank accounts as priorty when other funds available. The app also now provides NO contact with shopper until order on the way. Very disturbing they no longer care about generations of loyal customers, and the drastic decline in the food sold. No longer the exceptional retail establishment it once was.",1,0,1716495947000,Thank you for being a loyal customer and for bringing these concerns to our attention. Please tell us more info at https://www.walmart.com/help for further assistance.,1716498159000,Walmart +85a685ee-116e-4e36-b317-c2001578923d,"The upgrade for this app is AWFUL! By far the WORST! I'm no longer able to see the various prices on items I am looking for, whether they're in stock at another locations, what the stock looks like at nearby stores, etc. The individual(s) in charge of designing the app have made a horrible mistake with this release. The version prior to this new release was perfect and did not need to be changed, it merely needed a few bug issues addressed and fixed. FURIOUS is an understatement! FIX IT! 😭😡",1,181,1631314024000,We are sorry that you faced issues or the app is not working as expected. Your feedback really matters to us and would like the opportunity to address your concerns. Please feel free to contact us at appsupport@wal-mart.com with additional details and/or suggestions.,1633220941000,Walmart +bb524361-6276-4b62-ab7e-3310f9ea4347,"I love the convenience of buying groceries on the app! My only issue is that it glitches a lot. It struggles with the loading, selecting items, and putting them in the cart. Sometimes it won't add things and you press and press the buttons and nothing happens. Or as you're scrolling down it reloads and puts you back at the top of the page. Definitely frustrating but I'd still recommend just for the ease of grocery shopping this way. Although, I hate grocery shopping so I might be a little biased",4,1,1629550037000,,,Walmart +275717ae-46d8-481f-ae6b-0f116674525a,"Something wrong with the app. Im getting too many error messages. Too many issues to list. In the beginning it was great to place an order on the app, choose a time for pick up, pick up my items, and then go home and put the groceries up. I love that i didn't have to get in that walmart crowd. Now, i might as well put the face mask on and do my own shopping because the hassle of placing an order on the new app is ridiculous!",2,0,1594369951000,,,Walmart +75d7d223-d85e-4a48-b141-4dafcc06fbf2,"Redesign is awful! The new design that blends grocery with the rest of the store is not intuitive, hard to navigate, and doesn't have all the departments listed. Who approved this hot mess? Re-separate the two areas, and make the grocery shopping easy to use again. Junk. Complete garbage. Oh, my favorite part? The fact that on the ""Give feedback"" button? It doesn't work.",1,609,1631507189000,,,Walmart +65af766f-4e47-47ca-b134-4eaabcd2fc02,Walmart is always a relatively easy to use application. their only end user experience changes I would make is their ability to go back to the previous screen (I have to use my own back button as an android user) and the ability to see a more up to date selection option for certain popular items. too many times I have purchased something only to be told the next day that my order has been canceled. frustrating as a customer.,4,0,1627449015000,,,Walmart +a00c21ae-ff23-4936-ae3b-9fe17f766e45,"Clumsy to use, previous version was much more user-friendly. Having the option to choose ""curbside"" or ""delivery"" just once, and not having to click open each item to add to my cart was not something I thought I'd ever miss, but here we are. Walmart, you continue to find ways to disappoint and underwhelm. I find myself using the local grocery store more and more- thank you for justifying the extra expense ;)",1,59,1636010127000,,,Walmart +1be2913c-1a69-4f97-8d78-19daefb8045e,"1. No dark mode; 2. Badly mis-categorized items; 3. Per unit price often wrong; 4. No logical grouping in cart; 5. Can't leave cart/switch apps while editing it, or all changes will be lost - without warning, no less; 6. Can't click item in order while editing it to see details (presumably to prevent issue #5); 7. Item ""details"" are often lacking full details & are little better than the summary; etc., etc. In a way I guess it's the quality one might expect from Walmart - functional, but barely.",1,1,1706594632000,We're dedicated to enhancing user satisfaction. Your experience is crucial in helping us understand and address your needs. Please take a moment to share more details through the provided link https://survey.walmart.com/?walmart-store-core,1706594664000,Walmart +d20c1030-f7da-4dea-86ff-b02161f4c3ee,Great app. I use it all the time have for years. I even use it to price check other places with the bar code scanner. UPDATED ! Decreased from 5 star app to negative stars if I could. This app is now trash. You keep adding more useless stuff and updated interfaces. I have issuesfinding the isle letter and number 95% of the time. Roll it back a year or 2 it's total trash now. Keeps me out of Walmart now. Made 3 to 5 trips before the changes. Now lucky for once a month. Can't believe it..,1,5,1702135140000,Thank you for making us aware. We don't want our users to have such an experience. We would ask you to contact us at walmart.com/help for personalized attention.,1702137039000,Walmart +05bca949-ed79-4093-85e7-ebc353d14d51,"I love the Walmart app/Walmart+ subscription! I've been using it for about 4 months. There are a couple of issues though. Delivery, refunds. 3X's now I have watched drivers pull up then leave without delivering my order. I use 3 different payment methods and Walmart rarely refunds back to the card I use to purchase. They also play the blame game. ""we refunded it, so you will have to call your bank etc. All in all? I'll continue to use this service.",3,5,1658354063000,Thank you for voicing your concern about our Online Grocery Pickup service. We would love to get more information into what happened. Please contact us at walmart.com/grocery/help,1659657102000,Walmart +63b09c86-7cc1-4153-930a-d5eb7bef5fee,"I love the scan & go feature, but i haven't been able to use it in over a month. That's really the only reason I pay for Wal-Mart plus, to avoid the lines. I'm ready to cancel my plan. *I'm not using the scanner tool to check prices, the problem is the Scan and Go. I've already enabled all the permissions, including location. It doesn't work anymore.",2,1,1656518942000,Thank you for sharing. We are rolling out a new app. We're updating the barcode scanner feature for price checking items. For accurate prices while shopping at your local Walmart: Enable your precise location within the app. Then we can show you accurate prices based on which store you’re in. Contact us at https://survey.walmart.com/app,1656494500000,Walmart +90e07eff-549c-4648-81b5-e68d98e20fc2,"Update July 16, 2021... apparently the app has been updated and is no longer useful at all! The price scanner doesn't work and I cannot find what aisle items are in at my store. Please fix the app so it's useful again! (Prior review: This app is very easy to use. I'm able to shop & order things really easily. I highly recommend the Walmart app!)",1,3,1626464388000,,,Walmart +018150fc-722d-4758-a1cd-5a7da1d21ee7,"1st time using the app. $400 in my cart, after a lot of hours of shopping. Juan at customer service helped me fix a problem with my pickup location. After we hung up, my entire cart was EMPTIED!!!!!! This time I chatted with customer service (disconnected 1x). Then they said there was no way to get it back. In the end they wouldn't do anything to make up for my inconvenience. Why would I waste my time to go through all that trouble again, if this can happen so easily? I'm using Target now.",1,0,1603215970000,,,Walmart +b9f06a56-b50e-4e5c-9b51-d66f0f55e5a8,The new update is terrible. Now when I put something in my cart it doesn't tell me until I check out that an item is one that is being shipped and won't be available for a week. You know I'm grocery shopping! I picked a pick up time! I don't want to get an item in a week. I also hate that the hearts are gone. I can't put things in/remove from my favorites without going to the full website which doesn't have the same favorites list. So I can't change anything. It was better before.,1,0,1631999339000,,,Walmart +7cc71253-4325-423b-a701-830e6cc378fb,"Quick, fast, easy, got to say it again, EASY to use. Although it would be nice if they would not do partial shipments or at least offer the option to ship complete as opposed to partial shipments. If your item is in stock, most of the time you can receive it the next day, so that's nice. Keep in mind however, not every item is offered to be shipped. Deodorants for example, are not eligible for shipping for some reason.",4,0,1626564821000,,,Walmart +f5e20653-f4c8-4fef-8091-2da39da93522,"The app is fine. The issue is that the inventory doesn't seem to match the stores. The store will say it is unavailable, but online says it's there. Sometimes you can just place the order online instead if through the pickup. If you do a delivery, good luck on getting all of your bags. It also seems like you can't do returns through the app without having to call.",3,1,1624670375000,,,Walmart +0256ad5b-8630-4edb-8e22-a0b059fed5a0,"No to the update! It gives me anxiety to work through it. So many little things that make me confused. I get the idea of it, but it's too much!!! I have trouble switching from stores. I want to see the availability of items and I used to be able to check easily on the app. Now I struggle to go back and forth from one location and make changes to the ""my store"" option.",1,21,1634984340000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with filtering between Pickup & Delivery vs. Walmart.com. We’ve shared your experience with our App Development Team. New app features each week based on customer feedback. Please contact us at https://survey.walmart.com/app for any additional feedback.,1644616540000,Walmart +6d09e995-1511-49c4-939c-588cf13f2b81,"I've had this app for over 5 years, and I used it every time I went grocery shopping. I used to make lists to estimate the cost (tight budget), then use the app in the store to find the aisle. Now, I can't even add anything to the list on the app. The only way to view the list on your phone is to open it in Chrome which eats up data. Such an inconvenience. It's solely focused on pickup orders. Well, Walmart, not everyone wants to use pickup. So disappointed. The app is now practically useless.",1,254,1631472548000,,,Walmart +2e6776e0-ad5e-4085-ba56-77a46b01cacf,"I can never complete a grocery order with this app. It slows down to a snail's pace, and then I have to abandon my cell phone for the ancient desktop in another room. Then, I can't access my order on my cell when it's completed on the desktop, so I don't know whether the order has gone through or not. As a Senior, I originally thought that grocery shopping on-line was better than sliced bread, but that didn't last long--and neither did the hair that I've pulled out in pure frustration.",2,0,1630359705000,,,Walmart +ea776c04-5e2f-4e08-a79e-fd723bc0f976,"This is the worst update in the history of updates. You can't scan anything at all or that they don't sell it and you are literally standing in their store, where they are selling it!! They removed all the scanners in the store, so now you have no way to scan at all. You can't add lists like in the old one, which is a huge inconvenience. It's harder to shop on the online part, and even harder to shop in store. I used to be able to see if a nearby town had something, not now. Very unhappy!",1,2,1632091197000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the scanner feature in the Walmart app. We’ve shared your experience with our App Development Team. Please contact us at appsupport@wal-mart.com,1634164127000,Walmart +0592e619-ff52-4a8e-a030-95857e5f17f1,"I used to love this app so much but now it makes me go to my internet browser just to look at my lists (the whole point of the app was to not have to do that), I can't edit any of them without it being a slow and annoying process. Price checking items by scanning bar codes doesn't work anymore. I hope they change it back, if not I'm going to uninstall it. I liked it because of ease of use and speed to look at my lists and to know how much items were for planning and this is just ridiculous now.",1,10,1632868384000,"Hi, Jessica. Thanks for sharing this with us. We are in the process of rolling out a new and improved app experience. We're rolling features periodically and native list functionality will be coming soon. Meanwhile, you can create lists on the web or add items to the cart and save them for later. For questions, please contact us at walmart.com/help",1635989289000,Walmart +9a703fd6-20cd-4906-a06a-1eaff424d674,"The app, other than the favorites section, works adequately. Unfortunately, since day one, the favorites section has a bug which causes every click to add or remove something to take between 30 and 120 seconds to process. I have reported this twice previously, no reply back, no fix. I keep the app up-to-date on my device.",2,6,1616551239000,,,Walmart +27092d40-2941-40d7-a28a-b583552bdf5a,Terrible App! Have subscribed to Walmart Plus. When it works it's fine but for several weeks I can't arrange a delivery. Have been trying for 2 weeks. It always says nothing is available. Talked to CS. They said engineering will email me. Never happened. This issue has happened before so my subscription is a waste of money. I decided to cancel my monthly subscription for free delivery. So disappointed!,1,1,1602952636000,,,Walmart +c08bfa9b-73a5-4254-aec7-5b9109f75e1f,"It's incredibly hard to find an aisle location with this app. It's just geared toward delivery. An employee showed me ""map"" appears on the front page, but not on my app. And pulling up a item does Not show where it is. I guess employees get a different app, which is handy for finding aisle locations, but mine is not handy. Since I shop in person and they moved everything around during covid, for some odd reason, it's hard to find stuff, and this app is a big disappointment in that regard.",1,1,1617595004000,,,Walmart +89887b60-663c-4f18-a9b5-e2009bc4be70,"Terrible searching. I searched for eggs and only three results came up. Thankfully, I had a carton still and scanned the bar code and found them that way, but what if I didn't? Same thing with fig bars, Smart Balance margarine, and some other items. They took an awkward but usable app and made it nearly worthless. You can't even filter the results to show only in stock items. Why can't one of the largest companies in America get an app right? Laziness?",1,2,1635205111000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1645568382000,Walmart +a1bfe738-5ecd-4167-8e40-4756e7d219c0,"Horrible! This last update has ruined my grocery shopping app. My wife and son have the old version and says it's up to date. Somehow, I have what looks like the beta, and it's bad. Our apps no longer sync, so if I add things to the cart, they're not syncing up, plus my cart shows things we bought the trip before. PLEASE FIX THIS!",1,12,1627890664000,,,Walmart +45ab7914-a39d-4492-9424-c327ed84e3f5,"Not a fan of new update. Don't like how it opens up a new window in my browser. There's no point in the app if it just opens up a new window in my browser. Also, when I search something it just takes me to the departments and I have to search again for my item in the search bar. It won't let me add anything to my registry unless I'm in the web browser. The app is ineffective.",1,5,1631519589000,,,Walmart +02300821-a754-4d73-9318-5b0deb851c2d,"It would be nice if there was a shopping list feature where you can add items, give an estimated total off all the stuff, and check off list when found For the millions of people who shop there on a budget, that's a useful feature. The store location feature SUCKS!! It requires you to enter the zip code for the Store are you're in. When you're traveling you do think of knowing the zip code.",2,0,1649210148000,,,Walmart +abf7f10c-b6ad-41ec-b44b-eceb682727c6,"WHAT THE...????? You can't find ANYTHING!!! It is taking me an eternity to put an order in because the ""search"" option no longer works. Even when you go under the menu headings like grocery, dairy, cheese, cottage cheese you get art work of cottages on freaking hillsides. My favorites are gone so can't find things that way. Think I'm skipping this and going to the local grocery store app!",1,15,1635120302000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1644979554000,Walmart +eb52a424-6f76-4044-ab00-abcab20dfe9c,New update is awful! I have been using Walmart grocery pickup for over 3 years and the new update stinks! I loved how convenient and easy to use it was previously. The new update tries to ship items from another seller at amazingly high prices. Just awful. No more Walmart. I will be shopping elsewhere. Please listen to the reviews and redesign. The previous version was perfect.,1,6,1633255051000,"Thank you for sharing your experience with us, Audrey. As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. Please reach out to customer care at walmart.com/help for issues with pricing issues. If you have feedback for the app, you can contact us at https://survey.walmart.com/app.",1638744496000,Walmart +a28d8031-03f4-4377-8841-ac8f7c09f96d,"I used to love the Walmart app. I had originally downloaded it when I worked there and decided to keep it after I left because it was so useful. It's so awful now that I'm deleting it until it's fixed. The things that made it great were taken out with this new update. No more map, can't easily switch between stores, and it's just annoying to navigate through now.",1,5,1633679873000,"As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. To enable this, we are rolling features periodically and the store maps feature will re-launch on the app very soon. You can still use the app to find items in store by using the aisle location shown on the product display page.",1634128262000,Walmart +8dda5972-4b78-4c28-ab79-d2377b8a3e84,"This app is the worst! I'm a Walmart + member. I downloaded this app on my new Samsung Galaxy A42. The app will not open, it's completely frozen. I have installed and uninstalled it multiple times, no difference. Also tried the Walmart grocery app. Tried to sign in multiple times, keeps telling me to try again later. So frustrating!!!! I need groceries 😩",1,2,1631523832000,,,Walmart +3530c605-3179-42ee-a085-5a3fca227024,super slow. bad input. try to add something and it takes 17 taps and a wish. screens load at a snail's pace. good interface though. y'all can afford to fix it I promise. edit: I lowered it because I'm getting more frustrated. this app is slower than a dead sloth edit 2: 1 star now. I think I've been able to add 1 item in 10 minutes,1,1,1620077403000,,,Walmart +03b97063-fc4c-48f7-a8e2-01cacd5d4ec9,"Downloaded app for pharmacy purposes and it used to work well for all of my pharmacy needs. Then one day it just randomly stopped functioning properly and now displays a ""we're sorry but system not working right now, try again later"" message, if I try to view or refill my rx. Been doing this for a couple of months now. I've logged out, uninstalled /reinstalled, etc and it still doesn't work.",1,2,1537323468000,,,Walmart +1057f0d9-af52-43e9-93b1-8b235ad12a7f,"Useless! I've had groceries and other items delivered to me for years with no problems. All of a sudden all stores stopped delivering to me. I've had no issues with them to warrant this. I've contacted customer service, and they were beyond useless. I've tried both the app and website. Welp, back to Instacart.",1,0,1667338692000,"Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app. Please reach out to customer care at walmart.com/help for issues with fulfillment of your order. If you have feedback for the app, you can contact us at https://survey.walmart.com/app",1667358031000,Walmart +8d53f643-4454-459d-95cc-db226da20de5,"The new update is awful, unorganized, & chaotic! I played along with the ""new way"", placed an order & wow was that mistake. Three driver drop offs and 6 packages later over a 5 day (or so) span & I'm not sure if I got all my groceries. Navigating the website, making my list, adding things to the cart (& keeping them in without them dropping it out and disappearing) is rough. I've done pick up and then delivery for a bit. If Walmart doesn't fix this I'm going to need to shop elsewhere.",1,1,1632391379000,"Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. Please reach customer care at walmart.com/help for issues with fulfillment of your order. If you have suggestions for the app, you can drop us an email at appsupport@wal-mart.com +",1635021517000,Walmart +0fdd0295-4cb6-461a-afbf-11ab353b271f,"The old version of this app worked perfectly. It integrated grocery delivery with the store helper and even included features like the Pharmacy. This new one is terrible. The Pharmacy section often doesn't even work. And when I place a Grocery Delivery order, it is very common for the store to claim they never received it, so I have to cancel and reorder. Even then, there's a chance the cycle will repeat again requiring yet another cancel and reschedule. The order status section is also a joke. If an order is delayed it just stops updating, so you don't actually know when it's out for delivery (or delivered). Also if an order does get delayed you do not get a new delivery time estimate, making it impossible to plan anything on days you are supposed to receive an order. This app is a classic example of ""if it isn't broken, don't fix it."" They have replaced a functional, working app with one that is prettier, yet terribly flawed.",1,5,1633580867000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with filtering between Pickup & Delivery vs. Walmart.com. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1633970774000,Walmart +87c38fc7-a783-4215-a445-b7cf67b7f239,"What a disaster both the ""NEW"" App and Website Experience are. They had a perfectly functioning system and have almost completely destroyed it. Products known to be in the store can't even be found, Favorites can no longer be added or deleted, phone for Alternate pickup person is GONE. I'm amazed I was able to even complete the order. Whoever thought this ""update"" was a good idea should be FIRED. How about rolling it out slowly feature by feature or allowing for a Old vs New? When the new App installed my Cart reverted to one from a couple months ago. Calling the Helpdesk revealed they were as much in the dark as users are about it.",1,11,1631479066000,,,Walmart +4c64ce04-35ac-4fd9-98d8-e047435ea984,"I've stopped at Wal-Mart for years and have enjoyed the savings. Recently I started using the curbside pickup for groceries and I LOVE this awesome service! You know how you always buy extra items (those that were not on your list) every time you shop? I sure do! However, now that's actually avoidable, lol! I purchase only those items that I really want and need and that's led to less food waste, lower grocery bills, and a healthier diet. Try it!",5,7,1637960621000,,,Walmart +cd0fadcb-4b4f-4c4c-83e5-03bf1651c28a,I hate the new update. It cant find half the stuff I normally order and it's easy to miss that the item you just put in your cart for pickup is actually going to be shipped not in your store pickup order. I used to ONLY use Walmart pickup for groceries but this new app layout has driven me away and now I'm shopping at the other stores because it's easier.,1,0,1628215357000,,,Walmart +34265692-825d-45ad-8229-5d6768d3435c,"New update is terrible. I look at an entire display in store, used the in app scanner (have to since they removed the in store price checkers). It said my store doesn't have that item. Very frustrated as most clearance items are not marked at all. I feel like they are trying to force me to buy the Walmart + option. I won't. But I will shop elsewhere.",2,3,1632975452000,"Thanks for sharing this with us, Kristine. We’re sorry you’ve had issues using the scanner in the app. We’ve shared your experience with our App Development Team. Meanwhile, to get accurate prices while shopping at your local Walmart: Enable your precise location in the app. That way we can show you accurate prices based on which store you’re in.",1636592857000,Walmart +b37f761b-62d5-4b29-8d90-2e3412c15f37,The update is terrible! (Well for Android users) Nothing works. The headings are over the prices. The items page the headings are blocked! In Ibotta not much is visible? What happened to the per oz price? The price checker doesn't work. The remove items button isn't even there? This update was terrible! You would think with as much money as y'all make you would have a decent web site! There is no way to add things to your list! I have to cart everything and then take it off at the store!,1,4,1635727463000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the scanner feature in the Walmart app. We’ve shared your experience with our App Development Team. Please contact us at walmart.com/help. +",1635157659000,Walmart +71da35d3-f6cc-4234-b3ea-6acb7699e758,"I will write a review, but i already know that walmart dont look at the reviews, but this new update is horrible. Walmart just fixed all the issues with the app, then they decided to change it. When they changed it, i lost everything in my cart and it had my cart full with an order i placed two months ago. Now the whole set up is so stupid. If i wanted on the website i would go on the website, I want to order pickup not have stuff shipped to me. It is not simpler like you suggest.",1,3,1632954562000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with filtering between Pickup & Delivery vs. Walmart.com. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1636485794000,Walmart +fe58d194-c67b-4294-8d6f-562411c6064b,"Used to be good & very helpful; with being able to choose the store, the store map, each item telling you what aisle to find it on in the store .... Then came someone's idiotic idea to get rid of that and have shipping the main way to shop. Now when add something to the list can't tell which it went to; the one that's for In the store (only way I shop) or if went on a shipping or drive-up list! Both I never do. I like choosing my own house stuff, food & clothes! Go back to being easier to use!",1,1,1655731121000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1655852491000,Walmart +0b529b9f-1839-440e-a6af-b09889d1fd65,"Used to work, but this 'update' made it worthless. They took away functionality (like store maps, easily switch store), the functionality that is still there just opens the webpage in a browser (pharmacy)? There is no reason for this app now. Only download if you want to give Walmart your location, contact and other data with nothing in return. Also, if you connect with a VPN on, it wants you to prove you are human. But that is broken. It says hold button or check box, but neither are there.",1,4,1635897476000,,,Walmart +e385f460-2f6f-470a-8cd3-f2cc165f9797,"Terrible! I have been using Walmart pickup for well over a year with no issues. Now since I am being forced to use this new app, it is SO SLOW!! Items are constantly showing out of stock even though when I physically walk into the store, there it is. (Example: 2% milk) The out of stock issue was happening with the old app also. Very disappointed with this new app and the pickup portion.",1,9,1590255265000,,,Walmart +8d751970-fd04-4820-9bc3-ed67576f2adc,"I enjoy using this app for online purchases. But the in store inventory is never accurate. On more than one occasion, I have followed the app to the location of a product and stood there amazed that there isn't even an empty space on the shelf that would at least indicate the product is out. The app will show the store sells items that it doesn't. I like being able to add e-gift cards for easy in store or online use. And it's very convenient to use the barcode scanner in store to check prices.",3,30,1563339684000,,,Walmart +83de5280-b73c-434a-9bad-e4394ff6a934,"I do the majority of my shopping now with curbside, which is so convenient. But I had to uninstall this app because I kept getting unwanted notifications. I had notification messages set to off, and ads set to off. I didn't stay logged in. I kept getting the notifications. I contacted support and they couldn't do anything either. Now I just use the website instead.",3,0,1688807733000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your issue with our App Development Team. Please provide with more info at https://survey.walmart.com/app,1688808819000,Walmart +618839c8-818d-4ee7-b199-e51b9cfceee0,"App was great before the updates. The app updates took away the ""add to list"" and ""share"" buttons for items making it impossible for families to share lists and items from the app. Also the in store price scanning isn't correct anymore for sale items so you have to go find an associate to go through all sales items to verify pricing instead of being able to do that yourself. Fix that too! or bring the scanners back in store. Updates are supposed to make the app easier to use not impossible.",1,4,1634851884000,"Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. We’re working on adding lists to the app soon. Meanwhile, you can still create and edit your lists on web. Please contact us at walmart.com/help for any additional questions. + + + +",1643498616000,Walmart +5409c3a7-5c29-4fa1-9aca-d9023b5a708a,"It is beyond irritating to use this app now. Can't see the price at diff locations anymore. Have to go back, change your location, and search again. In-store, scanner is worthless. 95% of items scanned say barcode can't be found or that Walmart doesn't sell that item (even though I literally just picked it up off the shelf...) I don't know what midlife crisis Walmart is going through but since the update you can't even search for most stuff in clearance aisle but it's all full price",1,42,1632563466000,,,Walmart +f81b7221-152c-4068-ba14-185b804cf424,"The overall app is ok, however the new scanner function is complete junk, almost every item I try to scan in the store doesn't work, nor does the feature where you type in the barcode. The old app worked great, don't know why y'all had to change it but that's usually how things go. If it's not broke, it can be......",2,1,1635640592000,,,Walmart +418d69cb-3053-4b28-aaa0-65cea42fea20,"combining everything is great in theory- but you've given it SUPER lower functionality. I can't add to cart from the main screen. I have to hit ""in store"" on EACH search. It takes three times as long to shop bc of those two things. Make it so I can add to cart immediately, check a box for in store only for ALL my searches for this order unless I want to branch out. . AND check a box to hide out of stocks during my search if I want to. maybe I do.. Maybe I don't.",1,1,1632510661000,,,Walmart +31828736-c2d0-4cc2-81ba-cfa137be6c0d,"This app is never right. I have driven to several stores, some great distances from me, to find items it says are in stock. Nope. Never has been correct. Get there to be told they dont have any. This has happened multiple times at multiple stores. You can't call ahead to the store to ask either because no one knows. Almost worthless. The only thing that is useful is the barcode scanner for price checks.",2,2,1541733748000,,,Walmart +2e66275b-1194-4fde-887c-3323312c654b,"This update is garbage. I can't see any of my surrounding area stores to check prices anymore. Nor will it even scan anything. Keeps telling me it can't find the item. 🙄 To be fair, I think that combining the two was a mistake. I don't want to log into the grocery app to buy clothes. I don't want to log into the regular app to buy groceries. They both served their purpose. Although the layout is much cleaner looking, it's cluttered.",1,1,1631510625000,,,Walmart +dec0a420-22f2-40e7-9061-7ee087bc3983,"This app is not user friendly as the previous version. It helped me get an idea of whether the items were in stock before I even made the 45 minute drive to the store. To top it off, walmart took out all the scanners from their stores and now we have to pay $12.95 per month to use the feature when it was previously free. Come on! There's nothing useful a out this app.",1,6,1632998509000,"Thank you for sharing. We're rolling out a new app. We're updating the barcode scanner feature for price checking items. For accurate prices while shopping at your local Walmart: Enable your precise location within the app. Then we can show you accurate prices based on which store you’re in. Contact us at https://survey.walmart.com/app +",1636745387000,Walmart +7a5c07c0-2173-4a93-b045-0be133553ed0,"HORRIBLE!!!! I enjoyed ordering Wal-Mart delivery for my groceries with few problems. Now.....it's a nightmare not user friendly and very confusing. The previous version had deliver/pickup separately from online shipping. I used to be able to quickly and easily order my groceries for store delivery and almost always get them the same day, with no problems. Now, the site is slow, the delivery times are always only available the next day or later, many items I order often are out of stock often.",1,26,1636407732000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues navigating the Walmart app. Please provide our Mobile App team with more info at appsupport@wal-mart.com +",1638206676000,Walmart +611a9c75-bb5a-4ab2-8fb8-f719e7f3186a,"The ""press and hold here"" every time I open the app is even worse for usability than Walmart pay buried in the menus. This is what you get when the executives - not the designers - make the decisions. Two apps that were fairly well developed combined into one kludge that is way worse than the two separate apps. Edit: The ""press and hold"" went away, and at least Walmart pay is now a button on the main screen. Added 2 stars.",3,4,1625131341000,,,Walmart +9a36b510-5452-446c-96d6-6c3c024f2ee0,"There are a lot of bugs, the pickup check in button wouldn't work for us, the idea of grocery drop off is great but the execution wasn't so much. We were missing 9 (in stock) items from our order. Also, Walmart asks for your feedback, but the app is so buggy that after you click how many stars you want, it assumes you're finished and takes you to the next page so you can't leave feedback. I asked to live chat with them about our problems, and they said it'd be a 21 min wait....then 24...then 30.",2,0,1589438083000,,,Walmart +8c3ccce0-a6e9-4667-bc77-fb42e76ef585,"New update is absolute trash. Designing the app to incorporate pushing a Walmart+ subscription is manipulative and a total fail!!!! Update is not user friendly and focusing more on pickup and groceries. When it should focus on store inventory-- which is the main use of the app.. Considering the demographic using the app, complete fail. Revert it.",1,3,1631240897000,We are sorry that you faced issues or the app is not working as expected. Your feedback really matters to us and would like the opportunity to address your concerns. Please feel free to contact us at appsupport@wal-mart.com with additional details and/or suggestions.,1633117238000,Walmart +6fa97c62-70fd-441c-9e67-d3b87347f3c8,"Crashes and/or freezes every 10mins. Also keeps removing added items from the cart CONSTANTLY! ******Even worse with the update!! Can't add items to my cart, I get ""sorry, technical difficulties, please try again later."" When i try to check-in on my way to pick up an order, SAME MESSAGE!! For 2 days now. Luckily, other grocery stores have online ordering as well... without the BS! See ya wally world!!",1,15,1634982712000,"Hi there, we are sorry to hear that the Walmart app is not loading properly. We suggest you try a forced close or shutdown of the app, and then re-launch it again to make it work. If you are still experiencing loading issues, please contact us at https://survey.walmart.com/app. Thank you.",1649895911000,Walmart +7b5dfd41-dbe2-4a2d-ba1a-df446bde466a,"The Wedding Registry sucks! I chose to register with Walmart bc his sister works there & I knew it would be an affordable shopping option. People complained that they couldn't print it in store, and even specifically asked me to also register with Target for their convenience. As the registry manager, I can't get the app to save items as having been bought. The only way to ""check them off"" that I've found is delete them from the list. That's not productive! This should be fixed for future use.",1,6,1608648073000,,,Walmart +aea31244-6063-48e4-afee-29bb17878e35,"When i first started using this app, which has only been about 4 months, everything was sooo great!! Worked perfectly every time. For whatever reason it doesnt work anymore. It doesnt load all of my previously purchased items any more and wont let me add more items to my cart after i reach about 25 items. Its sooo slow now. Takes forever to complete an order so i have to give up. Uninstalling because its obviously happening to others too and not a problem with my phone.",1,25,1612147437000,,,Walmart +e429e6d4-8b77-4ec5-b0b7-0cca76e1e9a5,Sometimes things shouldn't be changed. The old app was great. This new app you scan things and not 1x does it give you the right price. I like to know how much something is before I actually go to the register. I can scan something n it say not available but I'm scanning it. Can't enter bar code manually either cause it's the same thing. I scanned something now and it said $24 and it was actually $11. This is the worse app ever. Would be wonderful if you would just bring back the old app. HORRIB,1,8,1632004533000,,,Walmart +4fcc29b4-ece6-465e-8cc0-12a63959ae0a,"The new, merged update is awful. You can't select to shop just ""in-store"" only but need to select that option for each and every item. And they've taken away their store map so have fun walking in circles trying to find the correct aisle since their store layout is bonkers. I'm sure I'll find additional issues with the new update but this was just after 5 minutes. Major fall, once again, Walmart.",1,3,1632256343000,"Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. To enable this, we are rolling features periodically and the store maps feature will re-launch on the app very soon. +",1635203247000,Walmart +8d0b2474-7ca5-4766-96d2-1c9275bf6dd7,"What happened to this app? This app is unusable now. I got so annoyed I went and got my laptop, only to see that things I saved on the app weren't there when I signed in on my laptop. Horrible update. Worst update I've ever experienced. Search results are horrible. The combined grocery and warehouse carts is ridiculous. Finding local availability isn't there. Just horrible all around. I can't shop with this app anymore.",1,1,1627362697000,,,Walmart +1f863a02-6dcd-48eb-9bee-165b9e8e912f,"Update: 02/2019 - A few things have changed and not for the better. Now you can't add any paper receipts into Savings Catcher which removes the incentive to shop exclusively at Walmart-including grocery pickup. Very disappointing! Also, every time I use my fingerprint to login to Walmart pay it makes me use my PIN anyway, so what's the point of offering fingerprint security? I used to love the Savings Catcher program but now it's just a gimmick. In store pickup is great, everything else just ok.",2,2,1549848912000,,,Walmart +19d93e1d-b869-45b0-afd7-66f6fb1769f0,"What the hell did you do walmart? I hate this new update, How freaking confusing! And counterproductive. Change it back! I absolutely hate that things are lumped together now. I like grocery separate from online. I used to be able to add things I ran out of in my grocery cart until I had enough for an order. Kind of like a grocery list u keep updating. But now if I want to buy something online I have to take all food items back out of the cart to do just a online order. Sucks!",1,7,1634186939000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1633391827000,Walmart +33bf7731-2804-4cc2-8665-d9158caff1da,"This app is very frustrating. From the search algorithm, to out of stock items, it definitely needs work. My neighbors across the street can get deliveries, but it says my address is undeliverable. I live in town! So I use their address and put directions in the driver's note. Lol Third party items and their shipping are ALWAYS outrageously overpriced. It also automatically charges you $15 for a tip on deliveries. You have to manually change it.",2,2,1657572224000,,,Walmart +0ae48605-53ed-444d-a2e5-6d1882370261,"This app is useful up until you try to checkout! I've never been able to checkout using this app, I ALWAYS HAVE TO USE THE WEB! Only good for price comparisons and helps to make shopping in store quicker because it displays the aisle number to find items in... that's it, if I can't checkout... what's the point?! Edit: since my first review of the Walmart app, it has improved 100%!! The checkout process is quick and easy, but the most important thing is that i can complete checkout now! 10//07/2021",5,2,1633669775000,,,Walmart +c16ed57f-5044-4d3f-aff7-02142357c4b6,"This app is so bad. It used to be good back when they had a ""favorites"" section but they changed it to ""my items"" and now it shows everything I've ever bought. You have to go to a separate screen to remove items, which doesn't even work. It's not possible to scroll through the entire list, it always gets hung up. Sometimes it will say ""item not available for delivery"" when I'm doing a pick up. There's too much wrong with this app to fit into 500 characters. Sick of it.",1,32,1612065802000,,,Walmart +080120a1-45a0-4779-a870-89e14384e4c2,"Even if you filter to only shop for items fulfilled by Walmart, you'll still get items fulfilled by ""trusted partners"". The substitutions for delivery orders are random. They'll substitute for some things but not others, and often that out of stock item is the one thing you need- even if there are similar items available in the app. There's no way to communicate that you want a substution if it's not offered. Definitely not worth the subscription price, I'll stick to Amazon Fresh.",1,169,1704315511000,,,Walmart +7f517e07-1c49-430f-90d7-3c123792ed61,"This updated Walmart app is HORRENDOUS!!!! I can no longer access my ""favorite"" foods/items. I have to access my lists through the website, as they are no longer available through the app. My pharmacy/RX info can't be accessed now either. I can't just choose pick-up when shopping. I have to select it every time I look for a new item, as opposed to shopping like that from the get-go. This is hands-down the worst ""improvement"" I've seen with an app. It makes me NOT want to shop Walmart at all.",1,23,1632732222000,"Hi, Amanda. We're in the process of rolling out an improved app experience. We're rolling features periodically and native List and Pharmacy functionality will be coming soon. Meanwhile, you can create lists on the web or add items to the cart and save them for later, as well as fill your prescriptions. For questions, reach us at walmart.com/help.",1635632105000,Walmart +f2020503-428e-4ec6-a389-c1a2ae601255,"So far so good! I've had a lot of issues with this app in the past. When I first got it, it was great! But then an update (well several updates) for at least a year, made the app basically unusable. It would take forever to load and then when it did load most of the time it would force close, making me have to start the process over. But I decided to give it another try and whatever was in this last update worked! It now opens perfectly and I haven't had any issues with it so far!!",5,71,1682882820000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1676002979000,Walmart +765df219-d891-4fbf-8238-79eaa428bd8c,but when it doesn't it's hell. I've haven't been able to redeem my funds to use & the options for customer service are a joke. You send feedback & hope someone gets back to you. Starting to become super annoyed. Edited 9/17/2021: This newest update now makes it impossible to add items to your list. You either have to add it to the cart or buy it now. Seeing how Walmart has stopped doing layaway for at least the holidays I'm not surprised. I'll be deleting the app from my phone today.,1,2,1631934540000,,,Walmart +c1536055-dc88-4742-8753-ec41aba4d0ad,"Don't accept the new update. You will lose your current cart. Your pickup/delivery and shipping carts will be combined making it harder to manage separate orders. There also ads now, and a million ""suggestions"" (really ads) forcing you to have to scroll a lot before getting to product information you need like the ingredient list, for example. Go back Walmart. Your old app was way better. Your updates are inefficient, actually offensive, and overtly anti-customer.",2,0,1632913957000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1636327720000,Walmart +1309aada-811e-4938-a695-e789cd73caf4,"This app and website used to be great!! The separation between grocery pickup and the regular site was great! Now that they have combined the 2, it's absolutely awful!!! I have been contemplating switching to Fry's or Safeway for online grocery shopping since they have combined the shopping. I mean I ordered groceries last week and 1 item was delivered to my house, you have to comb over your entire order before submitting. Huge pain in the butt!!! 🤬",2,44,1633948966000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with filtering between Pickup & Delivery vs. Walmart.com. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1635342598000,Walmart +de018f7f-20a3-4b51-95fd-803d6205e5c2,"Instructions for curbside pickup are to download the app ONLY to tell that you have arrived. Get to the site there are six poorly marked spots and the app allows the user to select ""1"", ""2"" or ""-"" with no ability to type a number in the ""-"". Then to top it off only one of two items I ordered was there for pickup. Would give zero stars if I could.",1,1,1641267521000,,,Walmart +c0d2534e-cfaf-4f62-9130-90d4bf6f6560,"I'm rating the APP and not the people who pick and load. I typically order 100 or so items every few weeks in one bulk order. when my order gets to about 50-70 items the app seems to slow way down. if I exit the app and then force close it then return to the app it sometimes solves the issue and other times it just stays slow. thinks like incrementing a quantity, I click and wait sometimes up to 15-20 seconds. it's bazarre behavior. like it's related to the number of items in cart.",2,0,1617647122000,,,Walmart +24192244-0a50-49b4-bca6-814ffedeae06,"Downloaded to check TLE updates, which it states can be done on the tag. Scan, app says function not yet available (false advertising). Then it sends unnecessary push notifications just to give ads, such as ""Our app's all that!"", as ""high priority"" with sound. False advertising, unwanted advertising, and just a bad time, reminding me why I uninstalled it before: forces you to try logging in every time you use the app or even scan!",1,0,1632089938000,We are sorry that you faced issues or the app is not working as expected. Your feedback really matters to us and would like the opportunity to address your concerns. Please feel free to contact us at appsupport@wal-mart.com with additional details and/or suggestions.,1634161257000,Walmart +6295c1f5-ab50-4f37-988f-a33824e65a4a,"The update is no good! You can't scan the clearance items. This wasn't a typical issue in the past. I have trouble with regular priced items too. Now I need to check the price at the register (which is inefficient with long lines and an already stretched-thin staff in most stores.) I like the old app as it knew which store I was in and showed the prices specific to each store, not just the online price. I have left a store twice now, discouraged by this app's malfunctions. Restore the old app.",1,1,1634764147000,Thank you for sharing. We are rolling out a new app. We're updating the barcode scanner feature for price checking items. For accurate prices while shopping at your local Walmart: Enable your precise location within the app. Then we can show you accurate prices based on which store you’re in. Contact us at https://survey.walmart.com/app,1643155183000,Walmart +5523891f-019e-45e3-a3a7-4278fdf673a0,"PROS-The choose-your-model feature is wonderful! The ability to scan receipts to your account to keep track is very helpful. FINALLY, the simple feature of searching for a product by brand name is available. CONS-You should be able to filter by how you get the item; i.e: shipping, pick-up, etc. Not EVERYONE is able-bodied. I didn't realize that U CAN'T EDIT A REVIEW?! I thought that was standard for ALL apps. WTH! Amazon is the better option for convenience.",4,113,1704820810000,Thanks for using the Walmart app! We're happy to hear positive feedback on our barcode scanner feature. We appreciate you taking the time leave us a review.,1668737110000,Walmart +8a151503-8a04-44d7-b5ad-13bee6679f47,"This app is far inferior to that of other services such as Instacart. 1. Notifications are indicated in email or on the app icon, but clicking the icon does not show any notifications. 2. Substitutions are final. You can't edit them, you can only return. 3. If an item is out of stock, there is zero opportunity to select another item (for example, another size of a product) 4. The main app menu forces you to pick a shopping option or go to the fuill account menu regardless of order status. 5. Orders do not show up under the right place if made from the web 6. The app says check in when you are on your way, but when you click ""check in,"" what they really mean is ""check in when you are at the store."" This could be SO much better with just some basic UI/UX improvements. In general, whoever wrote this should look for a different type of job. There are exactly zero ways this version of the app could have won awards.",2,23,1595053300000,,,Walmart +e962dc24-4c97-468f-b1fd-4e5d3871281f,"If I could give zero stars I would have. I've been using the Walmart app for years and this update is completely terrible. Virtually everything scanned in store comes up as 'barcode found, but we don't carry this exact item'. They are literally on your shelf! I Rarely had this kind of issue before the update. This problem makes using the app frustrating and useless.",1,5,1631595486000,,,Walmart +750666b4-8809-4c91-a9ab-0adc5f16005f,"The new app is a complete disaster! Using on a cell is a nightmare. The old app was easily navigated, the new one is clumsy and a clunky to navigate on a cell. Impossible to check various store inventories in search of 'out-of-stock' items. To interface with pharmacy you are directed out of the app to a juvenille Internet page that does not properly load on cell phones neither in portrait or landscape! It's even messed up the pharmacy texting system. Switch to AMAZON until a new CIO is hired!",1,19,1633308691000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues navigating the Walmart app. Please provide our Mobile App team with more info at appsupport@wal-mart.com + +",1638887169000,Walmart +126b7215-a5e7-4d43-a51f-cb9f0e25faea,"This app is unusable. Its glitchy, and constantly tries to force me to remove items from my order because they aren't available for delivery. The only problem is I'm picking the order up. And if I back out to try over again , it wants to remove a completely new batch of items for the same reason. You get one hour to check out, but I didn't make it last time. I spent an hour trying to get it to accept my order, and lost my spot.",1,2,1594073606000,,,Walmart +7343364b-14df-42c5-89bc-24b8e521a5f6,"My experience has been a disastrous adventure to say the least. I can't place an order. I choose the pick-up option and it tells me when I try to check out that items are undeliverable and I must switch to pick-up. I already opted for pick-up at our local store. This is ludicrous! When the Walmart grocery app was separate, it never had this problem. There have been far too many times that this app has gone awry and forced my hand to shop elsewhere. Immunocompromised family here.",2,1,1596888962000,,,Walmart +d49de458-8fab-4117-9512-bd4a3509d13c,"I hate this app. They're always trying to make it better but never from an actual customers standpoint. ESPECIALLY from the standpoint of non-mobile customers. Returns on non-grocery items is a nightmare. Shipping is just a big guess. They allow third-party price gouging. Like $100 for 2 rolls of paper towels price gouging, so make sure you know the actual price of what you're buying is first. Just to make sure you have no choice but to use the app, there is no longer a weekly ad. HATE IT!",1,154,1684459215000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with filtering between Pickup & Delivery vs. Walmart.com. We’ve shared your experience with our App Development Team. New app features each week based on customer feedback. Please contact us at https://survey.walmart.com/app for any additional feedback.,1684460064000,Walmart +fee50a30-2305-4e43-8886-dd3933d6649d,"Amazing how my review keeps disappearing. This is #3. According to several employees Walmart has contracted the app out to another company. They all say that it is completely broken. It no longer helps you shop in the store. The 2 shopping choices are: shopping online or for pickup or delivery. If you do find the price scanner, it won't tell you the price, instead it adds it to your cart. Walmart has also tried to help you shop by removing ALL of the price check stations in the store.",1,9,1594184484000,,,Walmart +91ea33d2-2758-49ac-9035-6ea440c2fe5e,"In the last week (9/12/21) something changed. Anything I do in the app is not reflected in our orders on the computers in the house. On the website it will show items in our cart but the app shows no items in the cart. If I add an item from the app it doesn't show up in the website cart. (Log out, log in, reinstall, clear cookies and cache blah blah) So it has become useless to me, I uninstalled.",1,1,1631496189000,,,Walmart +778127f8-5818-4155-b906-dce5751a526c,"The new app is so horrible. The scanner is hit or miss with scanning specific, in-store items, in MY own store. The scanner you had before was so much better, it actually worked for every item scanned. You ""aimed"" to ""fix"" or ""improve"" things that DID NOT NEED IT - it already worked perfectly - BEFORE THE HORRIBLE UPDATE.",1,0,1639827478000,,,Walmart +ff8a1b8c-6c09-4a2d-9344-e17a5caf1199,"HORRIBLE!!! Bring back the old app! You've taken a good app and completely ruined it. The price checker no longer works, and there aren't price scanners in the stores anymore. It's frustrating!! It's hard to find items when ordering grocery pickup and there is not a way to share products with people from the app anymore.",1,3,1632374706000,"We are sorry that you faced issues or the app is not working as expected. Your feedback really matters to us and would like the opportunity to address your concerns. Please feel free to contact us at appsupport@wal-mart.com with additional details and/or suggestions. +",1634939519000,Walmart +14a0ec3e-0674-4c49-9a8c-6bcc72a0bd78,"Sometimes my phone or the app freeze, and then all of a sudden, it will start scrolling all the way thru the items listed. It can be frustrating, especially if your in a hurry, but the pickup service that Kroger is providing, its no big deal. It's a wonderful service and I've always had a pleasent and effecient experience.",4,16,1551846516000,,,Walmart +1dbe77c9-30cf-40fb-8018-017432bc8eb9,"This app is far from working. Doesn't refresh in real time, let's you place something in cart and asks you to confirm your address but the button ""continue"" is grayed out, removed items from cart and suddenly displays messages such as ""oops looks like the whole north pole is trying to buy"" and ""sorry item is out of stock"". Back to square one. Useless.",1,2,1605840963000,,,Walmart +93d16a0c-baee-4c63-a797-0549a5ff356f,Horrible app. Everyone you go to check out the process takes at least and hour. It will tell you something is or if stock if you hit delete and continue you will be sent back to the start of checkout. If you look back through your cart the item your deleted is still there. If you choose to find a replacement the app still shows the item in stock. I put my pin in at least 30 times today trying to check out and it never went through sent 40 minutes trying to put and order in unsuccessfully.,1,14,1601245571000,,,Walmart +ebc46169-2259-49cc-94fa-399524242ad9,"App is garbage. My wife and I have same phone model, same app updates, same software. Same service. And her app is different from mine. Logged in under same account. She orders the groceries and I pick them up. Simple, well not anymore. Her app does not sync across my app version. When I went to check in, it says I have no order, so now, I have to check in under her phone, and the her when I get there. Absolutely terrible.",1,1,1627149445000,,,Walmart +182af1e3-3804-4b9a-94b7-c9f66c318d9c,"pickup has been great! ordering with shipping needs work, but thats not Walmarts' fault entirely. If they would only ship via FedEx or UPS, it would be perfect! Seems USPS likes to open/snoop at any packages. I'm complaining about it here in the hopes that there are more out there, and maybe Walmart will use more reliable carriers. Overall, as long as the pickers pack everything properly, and you order a minimum of $35. it's a great deal. Sometimes, better than in store.",4,39,1647504326000,,,Walmart +9251caa3-04d5-4e5e-9c25-5b20fcbb69e1,I understand that this app is a tool for walmart marketing. Tracking my purchases benefits walmart. I was okay with that as long as it was convenient for me and benefitted me as well. My husband and I both shop but the savings catcher was only on my phone. So scanning in receipts worked. And I liked being able to save up for big purchases. I will be using up my balance and then deleting the app.,1,66,1541063919000,,,Walmart +61d5baa0-646f-4029-9e89-c6943668e094,"Update is awful. I can't scan clearance items like I used to. I scanned a vacuum in the clearance aisle hoping the price would be different than what the yellow tag showed. The app said the item did not exist! I'm looking right at it!! It's so hard to use the online shopping too with this app. I was trying find a small backpack, and it was hell just trying to narrow my search. I finally found one, but not before it took forever. GO BACK TO THE OLD WALMART APP!! Do not let your old app update!",1,1,1632180912000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the scanner feature in the Walmart app. We’ve shared your experience with our App Development Team. Please contact us at appsupport@wal-mart.com,1634530845000,Walmart +b025e083-4bd7-4ff3-a9c5-f794ebeba1d7,"This app is terrible! I wish they'd go back to the way it used to be. I've tried to check out several times. It keeps telling me that certain items are undeliverable, even though I have it for pick up. It makes me remove the items to continue, but then still won't work. When shopping, I have to push on the plus sign multiple times to be able to add more than one item. I'm so frustrated after 2 1/2 hours that I don't even want to try anymore & am going to see what other stores offer pick up.",1,1,1596966876000,,,Walmart +aae2ab1a-93aa-4d8f-a372-6cb1f66a24b3,"This is the absolute worst update. My family and I used to add things to the cart as they ran out. on our different devices, older phones didn't auto update, pcs don't connect with this version of the app so the carts don't connect. Impossible now. Unable to select preferences on substitutions, that was one of your best updates and now just gone. Having to figure out what is instore or online is so confusing, honestly if you don't change or fix it i will cancel and and start shopping else where",1,7,1626811236000,,,Walmart +33652d7e-470e-432d-9823-069402bdead9,Frustrating to say the least. I used them continuously with zero issues. Now what I used to get gets shipped. If I wanted shipped I would have chosen ship and not delivery. Then they delivered the wrong order only to tell me to take this order back to the store for a refund. I think not. I ended up with my refund and some other order. I think I'm done. I will cancel my plus subscription.,1,1,1633602300000,"Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. Please reach customer care at walmart.com/help for issues with fulfillment of your order. If you have suggestions for the app, you can drop us an email at appsupport@wal-mart.com",1634225759000,Walmart +5f8ef1e7-2817-426f-91ed-8044213dd335,This app is useless!! I order through pick up for a business and everytime I go to place my order it tells me my items can't be delivered. Which I dont want them delivered I want to pick them up!! So I double check that I have indeed selected pick up which I have and then only gives me the option to delete items from the cart!! SO FRUSTRATING!!,1,2,1595810143000,,,Walmart +97a07056-042d-4fcb-bbaa-99c970997162,"I had my debit card linked to this app's account and someone was able to get into my account and buy stuff with my card. I was able to get my money back (after a bunch of hassle) but until they improve their security I won't be risking it. Also they don't have a way to make a list to go shop in-store, lots of things don't list a price, and the prices are higher in the app than in person. They have a TON of out-of-stock stuff. When they stop selling something they just leave it on the site.",1,0,1571729475000,,,Walmart +fc3e8110-8900-4e12-bfdb-0d490310abd2,"Ever since the update that combined the grocery and shopping into one thing, I hate it. The 2 things one one app with 2 different icons was better. I can't price check anything anymore (even manually), I can't even add things to a created list unless i actually go to website. Smart idea but horrible execution. If they fix things and i see they are better, I will probably reconsider my review.",1,15,1626577351000,,,Walmart +529b5ce4-c401-4955-a60f-86491fffa504,"Was cool when you scan items in store, because finding a price on items is such a hassle. Walk halfway across the store to find someone to give you a price is ridiculous. Not to mention, the stuff in clearance is almost always unpriced, or not the price it says. There were plenty of items I wouldn't buy at the sticker price, but I would scan and realize it had been marked down significantly and would then buy. Now I don't give it a second look. This app has no use to me anymore, Uninstalled",1,0,1599041933000,,,Walmart +ff0559dd-b609-4e47-93cd-6734449e4ec5,"I usually just get groceries through the app. I never had issues placing an order with the old app (the separate ones). Now that they are combined, I have not been able to complete the purchase! It always kicks me back out to reprocess my cards again! I don't like it at all. Sorry but I enjoyed the old app better where I was able to actually complete my purchases.",1,100,1592127217000,,,Walmart +351f9bc7-dd6e-4c68-b28a-7b4de8888af6,"Okay-ish. The search/favorite functions are nice. It's definitely better and easier than trying to navigate the store. Issues: - the app is slow (searching favorites, loading any page, slow to select when you add to cart) - there will be items ""out of stock"" when I pick up my order that are mysteriously back in stock when I add them online when I get home - stock is not well tracked for some items (watch batteries, ethnic hair care products) - there is no way to save items for later/track",3,6,1612655052000,,,Walmart +b3574880-c76d-4351-89d0-821f57b5f70d,11/01/2020 now it deletes my entire order every time i try to check out!!!!!Every time i go on app i get error messages and to try again later. Also i signed up for the walmart pay and can't use it because again i keep getting error messages. I built up savings catcher but can't use it. Very frustrating!!!!! 09/29/20 continuously having issues with app. Does not register when choosing item and how many. Very slow in loading products per category. App just seems to get worse and worse.,1,1,1604274660000,,,Walmart +ec13d068-c0a3-40e9-bd54-48dda2baa8c5,"There is no way to upload a reciept unless you store your credit card info in the app. Since nothing is hack proof, that puts my credit card on a waiting time bomb to be stolen. So, I can't track my purchases. I scan something in the app while in store there are no longer 2 seperate obvious lists to toggle between, so maybe it's out of stock online, but it doesn't tell me definitively what the items price is, especially if it's on clearance.",2,2,1627709847000,,,Walmart +80385499-b594-4b29-9583-9781d0a6d230,"Great, when it works. I'm tired of adding items to my cart just to have them mysteriously disappear from it a minute later. Our, even better, having a dozen or so items get emptied out without warning. The app will also just stop saying items, no messages if I've hit an arbitrary limit. Guess I'll try out the competition.",2,5,1609643209000,,,Walmart +74654bf3-593e-4210-a733-dc7b2cb6f661,"A bit disappointing. Prices are great and as I get older, I prefer to have groceries delivered. The online experience was difficult this time. Express shipping, I didn't need so you really have to check & double check before submitting orders. Taking more money than what is spent and reserving it really doesn't make sense to me. Walmart is taking my $$ in excess of total and not refunding for up to 10 business days. Not fair, living on a fixed income, every penny counts.",2,3,1687991850000,"Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. Please reach out to customer care at walmart.com/help for issues with pricing issues. If you have feedback for the app, you can contact us at https://survey.walmart.com/app.",1687992336000,Walmart +9f203bf4-a816-4823-a728-42148883d947,I have been attempting to place a grocery order of over 70 items totaling an amount of $230.00 + with no ability to. Ialso had an order of $350.00 + last month. I had the same issues. I don't know what the issues are with this app i placed several orders before. U never had any issues then. I've x Called for help to resolve many times both months. I'm very disappointed. I hsve serious health issues & unfortunately have to rely using apps like these. I haven't had any issues with others.,1,0,1599730840000,,,Walmart +f2d01193-7a94-438f-8e7d-ede1d05b90bc,"I don't like the new way that the Cart changes things to shipped. I use the app as a grocery list and to check availability before I head to whichever Walmart has the items I need. I generally want things when I need them. The new app is clumsy, has an annoying layout and prices are inconsistent between different locations and/or shipping. I liked the old grocery app. It was much better for me needs. Now I'm unhappy. 😢",2,37,1637021802000,"Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. We’re working on adding lists to the app soon. Meanwhile, you can still create and edit your lists on web. Please contact us at walmart.com/help for any additional questions. + +",1637857534000,Walmart +8cd301f8-3390-4481-80e9-95c29ebc3d6b,"I originally got this app because of the savings catcher feature and the ease of use for sending the receipt for savings. Since this latest update, I feel it has been a big loss. Often times my husband is the one who does our shopping and he would bring the receipt to me to scan (as often times I'm working and can't go shopping), but now the receipt is useless. This update makes me feel the customers are getting shorted with the savings catcher feature.",2,9,1541931714000,,,Walmart +41cd1169-91af-4a74-8472-12d107fcb669,"I'm uninstalling this app because they took away the button to add things to your list. Now to add to your list you need to go through the browser site, but when you're on a phone going to the browser site will bring up the Walmart app AUTOMATICALLY so it's nearly impossible to add new items to your old list. It's almost predatory to force a customer to have to put an item in their cart just so they won't lose track of what item they were interested in.",1,2,1632298651000,,,Walmart +72cccd2c-c598-477a-b901-acfdf6a34e90,"Get the app, then rewards card, next a membership free delivery-a real no brainer! The time you will save just using the apps features and services WILL reduce your stress levels and return much needed personal time! Use the app when at walmart! I don't over spend or rush, anxiety shop anymore! Don't memorize it! The developer's are ALWAYS improving and challenging their work! Continuously recreating the most effective and efficient way to make everyones day a success! I mean, it IS WALMART!!",5,2,1638370763000,,,Walmart +70efd3f8-60ae-40b7-ac5a-5b95f5a6c34c,"The individual who thought it was a bright idea to add the ""press & hold"" feature is STUPID! IT DOESN'T WORK! I cannot sign into my account, I cannot complete orders, I cannot get past your stupid ""verify your a human"". And this issue doesn't stop at the app on my phone, it's an issue on my laptop as well! Yet another reason to quit shopping at Walmart!",1,2,1636161043000,,,Walmart +6f616112-3dc6-4a86-9009-04a72f37e17a,"Really frustrated with the newest update. I always used the price scanner in the store because lord knows you could never find a scanner before they removed them all. With the new update, it just pulls up the online item/price with no way switching to see the price at your store like before. Which has basically rendered the app useless and not very helpful. I might as well uninstall it because I only used the app for the ""at my store"" price scanner.",1,6,1633319747000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the scanner feature in the app. We’ve shared your experience with our App Development Team. Meanwhile, to get accurate prices while shopping at your local Walmart: Enable your precise location within the app. That way we can show you accurate prices + +",1638467417000,Walmart +2e0dfa7e-f0c0-4de7-b837-003f9dde4ac2,"New update is bad. Why is it required??? So much advertising! You don't have to advertise I'm on your app to buy already. The option to narrow down your search is just completely messed up. Sometimes you can narrow by price or brand, other times you can't. It's ridiculous that a multi BILLION dollar company can't have a functional and useful app or website.",1,1,1644910363000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly. +",1636195973000,Walmart +560706ce-b812-4e35-ae15-db6ca363c898,"I'm not sure what the point of having an app is, if I still have to go to the actual website to do things. Ive been waiting for a next day pick up order to process and it was stuck. its now 4 days later and i tried canceling it thru the customer service option instead of on my order because i was checking to see if there was an issue at the store or if they were waiting for the products to get there. However There's no option on the app to cancel it but there's an option to reorder. Smh.",3,0,1600465299000,,,Walmart +e2030505-060c-49fb-bab9-cfcfba9ac029,"Convenient app, but makes budgeting tricky. They show you your order total in the app, but don't have a way to see the actual charge amounts, which is frustrating since orders are split into 2 or 3 or 4 transactions depending on if you did a combo of store pickup and shipping, if you got produce etc. When I look at my bank or budgeting app things don't always match up and I have to crunch numbers. Also, sometimes adjustments don't hit till a week later. They should show actual charge amounts.",4,0,1633036945000,,,Walmart +90693650-4fe4-4581-90ce-ad512c1b2be4,"Ok, I love the grocery pickup option and the $35 minimum. But the last 3 times we have shopped through the app, the total charge for our order was taken from our bank account, returned to us 2 days later for no apparent reason, and taken out again over a week later. A lot of overdraft fees because of their supposed technical glitch.. No longer worth the convenience or pickup. Shop in store.",2,0,1633990333000,We are sorry to hear you are having issues with our app. We would love to get this resolved as soon as possible. Please contact us at appsupport@wal-mart.com.,1635423100000,Walmart +76c9b286-3c57-4046-9718-dbfbded099f9,The new updates to the app (and website) are THE WORST!!! Navigation isn't smooth. Every aspect isn't intuitive. Just awkward. I'm in several Pioneer Woman FB groups and we all buy our PW through Walmart. There's a very widespread displeasure for these changes. PLEASE REVERT IT BACK!! And bring back the in-stock notification on the website!!,1,1,1632180105000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1634529945000,Walmart +c32fb145-e0f1-4118-95a3-a200bec1e270,"Terrible glitches. items disappear from my cart. I get charged for them, but they aren't in the cart. orders disappear when I place them, and then pop back up randomly. I will add something to my cart, and then when I pick the grocery order up it's not in my order. really like the convenience of this grocery pickup, but the app sucks!",1,0,1627159565000,,,Walmart +30dcb966-034c-4c44-99e5-796e4b4b7d93,"It would be great to have an option for those of us who order pick up to have the option for no bags if we have our own baskets/cases (reusable containers) that wouldn't cause too much time consumed on packing the vehicle. Although I understand the amount of care that is taken into packaging up my orders individually and thoughtfully, thank you! - I really hurt when seeing the amount of plastic bags that are used.",4,0,1625897404000,,,Walmart +ee411dab-f663-44c6-89fe-48bcad5b8f1f,"Edit: The app has been fixed insofar as the camera working. However, I still cannot use mobile pay in the store. I have to use my balance online which is annoying. I use this app all the time, or I did until the camera stopped working in it. It's bad enough that I cannot scan receipts and products but now I can no longer use mobile pay either. At least if it could be put on a savings catcher gift card again I could use that but, alas, it is not meant to be. I'm giving it one star. If the app gets fixed, so will the rating.",4,0,1540404928000,,,Walmart +116e8dc4-1f5f-487b-b316-e94e0eab09cc,"Why ruin a good app with this? I would rather have the either pickup or shipping as separate as before and they took away the microphone when searching for a product. I for one didn't know the exact spelling of pistachio so when I typed in my version of course it was wrong and no products came up. With the microphone, I could speak and there it would be. I do not like this new app and that's just my opinion",1,4,1631427870000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1634249813000,Walmart +0f422594-5803-467a-a9f6-4a0294620ad3,"I try to avoid shopping at Walmart, but when I do I make sure to use the app just in case there's a lower price but Walmart usually claims to be the lowest price. There have been a few times they claim they are the lowest price when they aren't. I downloaded this app thinking I wouldn't have to shop around, clearly,I was mistaken. I had to contact them and am still waiting on a reply, the most recent difference I found was about $5 less at another retailer. They never matched the price.",1,0,1631735617000,,,Walmart +2e5c9df5-fcef-4ecc-8d69-622570c9e22d,"the app is very glitchy. I have tried to Uninstall the app and reinstall a few times and it still jumps around and is very slow. I wish they would fix this, I have written a few reports now. On the plus side the app is nicely set up, easy to navigate. I do like that it remembers the things I buy often, makes shopping easier.",3,3,1617657898000,,,Walmart +e60066c0-1b55-4921-ae9d-f83f1843910f,"Not formatted for tablets (samsung Galaxy tab s3). App can only be viewed in portrait orientation. Information pages and search results ran over the right edge of the screen. No zoom out or side scroll was available. Could not view search results in simple list mode, only two-item grid. The new app experience is a lot harder to view. Three-items wide? It makes pictures too small and there is no room for most product names. The favorites list is buried and hard to get to and can't be sorted.",1,31,1631538576000,,,Walmart +afa5358c-feef-4b5a-8eb9-5b25e4d5624f,"Since the new update the app is screwed up. I add 34 items, go to check out, I only have 4 in my cart. STOP MESSING IT UP!!!!! Edit: And once again, you have screwed the whole app with the last two updates. Just when you think it's easy to navigate, an ""update"" messes it up. I started using pickup because I'm handicapped and have difficulty walking. Going into the store and finding a usable electric cart is next to impossible. The app was once easy to use. Now it sucks.",1,92,1634180753000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues navigating the Walmart app. Please provide our Mobile App team with more info at https://survey.walmart.com/app + +",1640954962000,Walmart +81bde11b-c609-4c5d-a517-d44826f3cebb,"I liked it better before the last ""improvement"", I have ordered less from Walmart app. 5 stars b4 update 2 now I don't like my store/grocery list combined. I have items I want to see in the store before purchasing or buy when I have money or gift occasion. Allow option to separate/combine. It's harder to check my cart content due to extra steps. The list is almost hidden. Need options for produce: banana/avocado/tomato choice: not ripe, ripe, over ripe, mixture. Bacon: lean, not lean etc.",2,21,1628969815000,,,Walmart +1bbf6f2a-65d5-461a-9c79-6258db2b6598,"so many different ways to do shipping its hard to keep track of what I can ship, what I have to go to the store for. also hard to check multiple stores for the item I want. and they are really bad about waiting until I'm paying to tell me an item in my cart is sold out. also clearance items often don't ring up with the app baroda scanner. lots of issues.",3,1,1636097516000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues with filtering between Pickup & Delivery vs. Walmart.com. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly. +",1638365188000,Walmart +68969360-a5f7-4add-a24e-7b36839944fe,"Used to love this app before they merged the grocery only app into this one. Now it's insanely slow. The old app never used to be like this. Very glitchy now showing everything out of stock, but if you close it out then go back into it, the items are available. It's ungodly slow anymore. I've waited for the delays to unfreeze for almost a half hour at times..I get tired of waiting & just go order from the Meijer grocery pickup instead..",1,0,1608261517000,,,Walmart +34693633-c2f3-4f86-9d5d-20ee6c2609f6,"I can't even get the new app to LOAD!! I wanted to place an order for pick up tomorrow(Sat), and I can't even get the ROCKET SHIP to load the new app, after HOURS of trying, and now it's 11p.m., and TOO LATE to even TRY. I have had this Walmart app for AT LEAST 2 years, with minimal problems when they ""updated"" it, but THIS IS RIDICULOUS. I even deleted my app and NOW, I have lost all my purchase history AND THE APP!! Food Lion pick up and delivery service is looking REAL GOOD right now!!🤤😲😠",1,5,1604800195000,,,Walmart +a7ad0b09-87de-45eb-8a21-546e9a156e76,"Ordered multiple items and they were all available for local pickup. Clicked pay. 2 item were then not available. Whatever, limited stock that's fine. Here's the kicker. You can't cancel the items until after the order is processed and you are charged for them. Give me the option to either cancel, change to a similar item or have them shipped to my house. Customer service is convenient and why I pick up locally. If that ceases to exist then why not just use Amazon?",1,36,1537732811000,,,Walmart +cb0cd104-1f80-4ebe-89bd-444c9003d86e,The new improved app. Now if I click on pickup set my time and start showing 95 percentage of what I'm looking to get is out of stock. But not really. And it tries to have me order online with 3 delivery. Instead of pickup. It confusing you have to pay attention to every item to make sure it pick up or 3 day delivery. You took an easy app to use and messed it up. I will no longer use the app. And I don't go in store cause self checkout,1,2,1631561025000,,,Walmart +cd0c0ae3-a51e-4b65-aca1-2a4d74704591,"This used to be an great app and it was easy to make orders. They recently updated it and now there is a 5 second lag every time you try to add something to your cart. That doesn't seem like a lot, but it literally takes 5x as long to complete an order. Sometimes items are never added to the cart so you have to double check everything to make sure it's there. If you try to do anything like sort a favorites list, it shows all items are out of stock. Very disappointing...",1,13,1601780630000,,,Walmart +572c690c-2b5c-46e6-a0f3-e3549539ac23,"I decided to place a pickup order for groceries - ordered all the items on the website, got confirmation through email, got a text that my order was ready, and drove to the store. There I discovered that you cannot check in without installing the app AND giving it access to your location. There are enough strikes against walmart, now they violate your privacy just so you can pick up some groceries. Cool.",1,0,1612063420000,,,Walmart +26c482bc-40d2-40ea-ae66-2edd0fbf1c3a,"This latest update from July 2021 has made it more difficult to shop. Previously, my phone app and my computer online profile were synced, if I added something on my phone, I could see it in my cart from my computer. Now, this is not the case. I also did not receive a receipt from my last order, placed through the app (not computer). When I place an order through the computer online site, I always get a receipt.",1,28,1627597321000,,,Walmart +f50a7e28-12d6-473d-a6d5-618e52b17af8,"Pretty easy to order. Nothing too hard like other apps. Only thing is that when you see your total,it says - for shipping and/or - for tax. All was fine until I put in credit card. The - tax shot up to 86 cents. Then I put in the a different delivery address(7 miles difference) other than my home address and the tax went up by 1cent. Didn't know the tax was higher in the same city.",4,1,1625202015000,,,Walmart +90164ff0-e6de-4b1b-94f3-7a75a227a6d0,"You didn't fixed the app at all. You just made it worse. Is a mess and now to get a delivery from store you have to spend $35 or more no matter if you're paying for a + membership, is difficult to navigate and browse as well, everything mixed and my saved items are gone. It looks like a 5 year old did this update. Is not user friendly anymore specially for seniors. You lost many customers.",1,53,1631818957000,Thanks for sharing your experience with us. We’re sorry you’ve had issues navigating the Walmart app. Please provide our Mobile App team with more info at appsupport@wal-mart.com,1633639660000,Walmart +7f682057-ce84-4df1-b58c-5393083f6897,"Easy to use. Savings catcher is awesome. UPDATE: The newest update is horrible. Not user friendly in any way. Please bring back previous version. UPDATE: I'm getting used to the new app, but every item I scan, while shopping inside the store, comes up stating the item is not carried by the store... as I'm standing with it in my hand. 🤷‍♀️??",3,1,1636269218000,"Thanks for sharing your experience with us, Brigette. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly. +",1635640335000,Walmart +7dac15c1-ccaa-42f5-bd53-7d9be4965ea2,New update makes me want to cancel my Walmart+ membership. Not sure how it went from a usable app to get delivery to a nightmare of delivery and shipping. Its no longer user friendly and basically makes it twice as hard to make sure the items you put in your cart are actually being delivered and not shipped. Whoever thought the new design was what people wanted should look at the comments and reviews and rollback the changes.,1,0,1632291894000,,,Walmart +0e26a49b-af2c-4642-8908-5829e1670a19,"I've had this app for years & it's always been great, but every since they changed things up (about 6 months ago-ish) it's very glitchy during the checkout/ checkin/pickup process. However, I do love how the me update tells me what items I've previously purchased, that addition is awesome & the ability to ship some non- stock items is cool too. So, it's not all bad, but frustrating in some ways. I can tell the pickup employees are irritated by these as well. *Keep trying, please!!*",4,5,1640928168000,,,Walmart +fe33ebeb-a591-4688-9ce5-e9f91f218c1b,"Not sure why this update was made, it's now difficult to navigate. When I'm doing a curbside order, why would I even want to see anything that's shipping only? Half the time, I also can't check in for my pick ups, making them take longer. The previous version that separated grocery pick ups from everything else was far easier.",2,6,1635977458000,,,Walmart +9b0f67eb-7f5d-45d5-b3f0-2cedd46cc0ee,"I'd suggest that if you have an alternate pick up person, that there's a way for them to check in without needing to be logged on to the original person's account. Everytime I've picked up for friends, the phone number you call to check in doesn't get answered and the voicemail box is full. So I can't check in via the app not the phone number",4,0,1621197497000,,,Walmart +eff46f18-3c8b-438b-8926-1011c9c26d55,"I have been doing the Walmart pick up since it started because it worked out great but the past 2 months the app has become competely unfunctional. I have been attempting to place an order for over a month now with no succes because it freezes, doesn't add items to cart, unable to shop favorites, items unavailable, the list goes on. I have since moved to picking up at Safeway (great app and availability on items). I highly suggest that Walmart find a new programmer who knows what they are doing.",1,48,1608340188000,,,Walmart +39464454-340b-4a53-bd4d-9d96c4355b80,"App sucks! When you order, they send you the wrong items. Descriptions are not accurate. They charge an express fee to get items delivered, however fail to tell you if any of your items won't be included in the express fee. Had to wait 1 week to get a few items I paid the express fee on. Then I had to fight to get a refund. Horrible app! Just go to the store, don't use the app.",1,40,1627333453000,,,Walmart +e9f46004-4a53-44fa-a036-ab2d34fa812e,"Since you combined apps there has been nothing good about your app. There are so many things wrong I don't have the time or space to list them. Used to be able to either grocery shop-pickup & delivery. Or you could go & shop online for different stores or MyStore (which I picked out). That isn't working. If I delete an item from my grocery pickup, it takes it off and then puts it back on at the top of my list. Fix it, return it like it was or I'm shopping elsewhere.",1,3,1604549558000,,,Walmart +1b84b410-9247-4587-aa2a-60b3ace7755c,"On my Pixel 6, the app flips back to 'search' every time I enter an item, and wants me to select the department, then a multitude of subdirectories. On my PC, it works perfectly, and USED to work on my phone as well. What happened, and how can I get it fixed? I've tried uninstalling and reinstalling several times with no change.",2,28,1663375767000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your issue with our App Development Team. Please provide with more info at https://survey.walmart.com/app,1663376981000,Walmart +c76c6f98-9885-45c1-9744-ea7711df81e1,"(New problem: now they've stopped emailing full receipts, instead it links to the app, which can change from your initial order, making email receipts useless) With this update they've made shopping for pickup require many more clicks for each item. They've lumped everything together between online and store pickup. They've reverted the substitution options to a worse version. They've increased the ads and sponsored results. All in all, I can't find anything they actually improved this update.",1,37,1642617823000,We are sorry that you faced issues or the app is not working as expected. Your feedback really matters to us and would like the opportunity to address your concerns. Please feel free to contact us at appsupport@wal-mart.com with additional details and/or suggestions.,1633725223000,Walmart +c299b69e-a627-48e8-b769-b8496380f181,"So far, this new app is terrible. The sceen reloaded about 50 times while I was shopping. It was very frustrating. Also, you got rid of the pictures on the substitution page, so it takes a lot longer to find the items I did not want substituted. Also, some of the pictures did not match the descriptions...sugar snap peas said they are fruit cups. I want the old app back.",1,467,1588970621000,,,Walmart +f126bad6-8212-4881-8910-8c94025e47cf,"I hate the new app for 2 reasons. 1. I need a way to shop for delivery only items without having to choose it for each individual searched item. Inevitably I will end up with items in my cart that aren't getting delivered in the time and day I select at the beginning. 2. I want the easy, shop by category the previous version. The current options are cumbersome and require multiple paging and scrolling back and forth.",1,0,1627686271000,,,Walmart +cbbaf4dd-811e-450b-95c5-bf0f63b0a0a9,"The updated app is absolutely terrible and I hate it. It's not user friendly at all. Edit: this app is absolutely terrible. I switched to another device that actually had the old style app to avoid using it. Then that device was forced to update. We reverted the original device back to old app but now am being forced to use new app instead. If changes aren't made, we will be switching to a different company and grocery store even if it costs a fraction more to do so.",1,18,1633134543000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly. +",1637348522000,Walmart +84f5e100-9e95-4690-9754-670b322eadb6,"I loved and thought this app was amazing once upon a time. Now with these new updates making it more like apple, make it to where hardly anything scans. Doesn't matter if it's clearance or regular items they don't scan and they removed all independent scanners on the poles in the building. Itd be nice to have those abilities back. And let us keep the ability to scan the clearance stuff when you fix the problem.",2,4,1635073828000,,,Walmart +7fa5e7d2-4b02-4197-b363-9e8376f85279,"Not loving whatever happened to the app. It went from my favorites which made things easier to find because you could tap the department and those items would be right there to my items which made things harder to find because even though after looking you can find department, it's not really by department. Updated on 10/9/21. I'm not loving the update, it's awful. It's frustrating pain in the behind",3,2,1633843179000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly. +",1635004113000,Walmart +e609518e-10a1-4852-85b4-ca6efcce3cec,"It's a shopping app & mostly works great. As with any shopping app connected to brick & mortar stores they're often not quite in sync for in-store pickup, which is especially a problem for items in high demand & on sale. They can substitute a similar item but can go too far from the desired item in my experience, based on the back to school sale. They also told me what they needed to substitute or was out of stock, but left much out. Beware many items now not sold by Walmart, more like Amazon.",4,8,1613783513000,,,Walmart +48b8d066-eb99-4c84-b11e-c74a60ff8ebb,"I like the faster interface response when adding grocery items to the cart, but there are 2 serious problems. 1. Grocery items are missing in the NEW app, that are present in the OLD app. Ex.: Schwebels hotdog buns suddenly don't exist in the app. Yet, I know they're in stock in the store. 2. Customers shouldn't have to select their preferred category after EVERY SINGLE SEARCH. If we select Delivery, for ex., it should stay selected. Getting to set it as a default, would be nice, too.",3,3,1627897909000,,,Walmart +01c07d66-0465-4358-a51c-b34fe22bc98f,"Why when things are changed it is for the worst? This app is so bad and so cumbersome. I do not care for the combined app. With the old app I could have my shopping list for delivery/pickup and another one for shipping. Now if I want to ship before delivery, I have to delete the delivery or save for later which is more time and effort on my part. Did you even test it or use it as a consumer? And I am finding more and more items are no longer available for pickup/delivery.",1,3,1635073171000,"Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. We’re working on adding lists to the app very soon. Meanwhile, you can still create and edit your lists on web. Please contact us at walmart.com/help for any additional questions. +",1650068844000,Walmart +f5184775-91b8-486b-a35f-506d0ea89230,"I would give 4 stars at least if problems with scheduling grocery pickup were fixed. I continue to have problems sporadically with placing orders, it makes zero sense. Sometimes it works, sometimes it doesn't. As an immunocompromised person who needs to take extra precautions due to the pandemic, the fact that this is so unreliable is a big deal; if I could just go into the store, I would, but I can't, so I need this functionality to work!",2,40,1599612031000,,,Walmart +7ddac972-a3f1-45b4-91db-7b5a742f30ba,"Latest update is terrible. Walmart app used to be great, but with the latest update its horrible to navigate and theres not even an option to add things to a list anymore which I used to use throughout the year to save things for birthdays and Christmas. Plus half the things you click on, like pharmacy for instance, takes you to the web version when it used to be all done in app. Its terrible. Fix it back. Please.",1,6,1634369160000,Thanks for sharing your experience with us. We’re sorry you’ve had issues navigating the Walmart app. Please provide our Mobile App team with more info at https://survey.walmart.com/app,1648095864000,Walmart +5b9a4b2a-03b2-4099-901f-d2d2612f900d,the scanning go feature saves time somewhat but ultimately it's a waste of time because you have to scan items at the self-checkout anyway they should mirror what they're doing it Sam's Club at least... overall this can be better. *Update after your response: that was the most worthless response you could have given me. It has nothing to do with me not understanding how to use your app. It's the limited functionality that your app and or process in general of checking out items doesn't do.,1,6,1689556735000,"Hi there, sorry to hear the Scan & Go feature within the app was not working properly. We'd like to assist with your issue, if you can please fill out the survey and provide contact info, we'll take a look: https://survey.walmart.com/app. Thanks!",1689556231000,Walmart +5659d6d3-3d35-4a8f-9196-c4c34c8e3329,"I love Walmart's grocery pickup! It's so convenient to shop at home for items, no Hassel with crowds, pick up at my convience, and 3/4 of the work is done for me at no cost! All I have to do is bring them in and put them away! It saves sooo much time! Plus the prices are the best grocery wise I've found! Walmart app is just as convenient as Amazon most items you can get free 2 day delivery and it offers many products not seen or in-stock in store, all in all its a great app for so many uses.",5,0,1617930834000,,,Walmart +e4804112-aeda-4f1d-be51-512593b04a2f,"I have no idea what' going on with my app. I had a great experience before and was able to scan everything at its current correct price even clearance at my store. Recently, However, there are ZERO store scanners and when I used my phone to scan items to tally how much I'll be spending that day, it didn't show up correctly. It would show out of stock/not in store, where it is clearly in the store. Are we not allowed to see correct prices anymore, and bother associates just to check prices?",1,2,1632256023000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the scanner feature in the Walmart app. We’ve shared your experience with our App Development Team. Please contact us at appsupport@wal-mart.com,1635203051000,Walmart +f65c4e62-828b-4c9d-bd6b-c79663207f75,"The APP no longer supports the separation of grocery items and from merchandise. The grocery items, if they arrive at all, appear in far less than optimal condition. Items are substituted without regard to the purpose they were to be used for. Nothing is offered for ""back order"". Orders have arrived 6 days earlier than scheduled and left without information as to their location. My experiences with this app and walmart as a whole has me looking for other alternatives, like anybody else breathin.",3,8,1635036842000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly. + +",1644952300000,Walmart +5673c3f7-7db0-4c30-9118-5b747301e27b,"(I'm downloading an update, maybe it's better now. This app is MUCH better at giving me what I ask for than Amazon's (no asking for Cokes and getting ammo). My problem is that I can only use my foodstamps if I'm ordering from the local store, which only works on the rate occasions I can predict, within an hour, when I can get there. The rest of the time, I deal with Amazon's horrible search app and so without frozen and fresh foods. 😕",2,0,1632954349000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly. +",1636485122000,Walmart +6f573cd1-55f5-45b0-8ee2-4463f0a84cd9,"You're better off using the website. Went to place my order, it kept coming up as an error and wouldn't process. Before trying again, I made sure the order didn't actually go through. Finally it did. Checked again and again to ensure only one order was placed. 4 days later, we noticed the amount was posted twice so checked the app. And sure enough, there are now two orders of the same thing! How and why? Now we have to wait until it they arrive to be able to return them seeing how they shipped.",1,2,1632132109000,"We're so sorry to hear about your experiences. Please contact us at walmart.com/help +",1634413826000,Walmart +962ddde8-f011-4039-b6ce-3def288b675d,"Horrible that everything is now thrown together. We used pick up and delivery for 2 years , it was great. Now everything is clumped together and you can't shop for groceries separately. The app just doesn't seem as user friendly anymore. Shopping on the app or online is no longer easy and convenient. We no longer shop walmart for our weekly groceries.",1,1,1639875592000,,,Walmart +b405258f-db71-49d2-a2a4-d56a8c0d0e5d,Wasn't able to order groceries for delivery. Kept telling me more and more items were undeliverable everytime I tried submitting my order. Spoke to customer service and they said it was a EBT pin issue. What does that have to do with items in my cart? That's BS. It would say there's an issue with my pin and not the items. I have to manually keep going back whenever I edit my order because the cart doesn't show the changes I've created and I hate that it says items are in stock when they aren't.,1,0,1596563821000,,,Walmart +1af2ecfb-d3e7-4801-8485-82ba24b6e561,I appreciate that I have the ability to continue to shop for myself when in an Assisted Living Facility. I wish that there was better control of inventory shown. it's very frustrating to plan my purchases and then find them unavailable. It is sometimes half of my order and it happens continuously!!,4,0,1632448181000,"We are sorry that you faced issues or the app is not working as expected. Your feedback really matters to us and we would like the opportunity to address your concerns. Please feel free to contact us at appsupport@wal-mart.com with additional details and/or suggestions. + +",1635294526000,Walmart +61209f21-deeb-48d8-a91c-fffc21e66d6b,"used 2 love my Walmart app. However, for 4-6+ months, I have not been able to open/view items in my cart. keeps me from being able to purchase anything online. very frustrating! sent feedback in the past 4-6+ months. Iwanted to make purchase several times but have been unable to. very disappointing! I use the other features with no issues but being able to view my cart is a huge fail! savings catcher ending has kept me away! HUGE FAIL! used to go multiple xs a week now business elsewhere now on!",1,39,1555872853000,,,Walmart +0987de12-a21e-4394-a89e-eb077252b628,With the latest update the barcode scanner no longer functions on this phone. I've done everything I can to fix it. Works on my other phone. No other apps that use the camera are having any issues at all including the me at Walmart app. Older version of app is fully functional. this is unacceptable it even pops up with the camera working starts to try and scan and then pops up and says oops there's a problem with your camera.,1,1,1655951253000,Thank you for sharing. We are rolling out a new app. We're updating the barcode scanner feature for price checking items. For accurate prices while shopping at your local Walmart: Enable your precise location within the app. Then we can show you accurate prices based on which store you’re in. Contact us at https://survey.walmart.com/app,1655952133000,Walmart +4152c9ac-ce37-4eb4-8946-ee83bcd3ccbd,The app gives me back time. My only concern is with the sloppy drivers. I have had two incidents where driver reports my delivery complete but did not get delivered at all or partially delivered. I ask for the full ability to contact them on the spot and question them. It leads customers to believe that they are steeling and walmart is allowing it. Thinking of canceling my membership or 6 renewing if this continues. Not ok!! I depend on this service as a hard-working mom of 7. Not ok Walmart!,3,1,1697524801000,"We’re sorry to hear about your recent experience, Cristina. Please reach out to customer care at walmart.com/grocery/help for issues with grocery pickup and delivery.",1697534833000,Walmart +7f26ed8d-d6b5-4661-8968-ac1122c0670d,"this app was good to me at start. the last update came with a very disrespectful pop up ads that would freeze my screen before the ad would load and appear. it was so darn annoying getting in the way of whatever I was doing. I removed it as it was the only way to eliminate the pop ups. Now even worse, once I logged into the mobile website, none of the wishlist that I had saved were there. not the one of wedding rings or one of business supplies. was the app really for us",2,0,1558094423000,,,Walmart +d246b04c-2f7a-4867-bc3c-e9b7b37e49a6,Makes grocery shopping easy....except when it doesn't. It has NEVER worked for my phone. I end up having to redo the entire list on my husband's phone as everytime I get to checkout for grocery pickup it shoots me an error message. His works everytime no issue. Not sure why it won't work for me but it's getting annoying....,3,0,1617173984000,,,Walmart +836cb102-4fb5-4978-8a5a-b2f09752d527,"I noticed when I am scrolling through my searches, the bottom bar containing the home, my items (etc.) lowers. I understand this is for visual performance to increase the amount of search results in the page at any given time, but I would like if it did not do this. I would suggest an option to disable that. I would give 5 stars then.",4,1,1687061138000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1687062092000,Walmart +cc14e742-25c0-4e39-be3f-36b354ab9c59,"Hate the new app. It's like someone that does not understand the normal shopper developed this. I can kinda see what they were trying to do, but it kills most things that were utilized. I upgraded to plus and still constantly find items that won't scan. Can't check other local stores. No map. The old App was much better! Passing up on items that I can't scan with the new app, there are no scanners in the store, and hard to find an associate to scan for you. I have done more shipping at Target.",1,549,1633805684000,"As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. To enable this, we are rolling features periodically and the store maps feature will re-launch on the app very soon. You can still use the app to find items in store by using the aisle location shown on the product display page.",1634820551000,Walmart +28abe2eb-5b23-4fc3-97a4-049ac3cf55a7,This is the 8th time that I've written this review because they keep deleting it. But I'm going to keep checking back every couple of days and putting it back up. BE WARNED!!! They allow anyone to sell on their app in order to compete with Amazon. The sellers are huge price gougers that sell little Debbie's for $10-$20 a box. Be careful about where your items are coming from because the app will have you order from a gouger so that you end up paying 5 times if not more for an item.,1,56,1633372934000,"Thank you for sharing your experience with us, Heather. As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. Please reach out to customer care at walmart.com/help for issues with pricing issues. If you have feedback for the app, you can contact us at https://survey.walmart.com/app.",1638137891000,Walmart +8855c83d-3e9f-48c6-a4c1-06f5e8c3e067,"All the recent negative reviews are so valid. It's not about just stuck in our ways and can't adapt to the new look of the app, it's that a lot of things are missing that used to exist. Location and maps for different stores is so important because no Walmart is small and not all have similar layouts. One thing I miss is having everything in the app, like clicking on my list doesn't open a browser. What is the point of an app if it just opens the web for me?",1,0,1633809063000,"We are in the process of rolling out a new and improved app experience to make shopping easier. To enable this, we are rolling features periodically and native list functionality will be coming soon post holiday. You can create lists on the web or add items to the cart and save them for later, please email us at appsupport@wal-mart.com. +",1634842292000,Walmart +52bffd15-8ec1-4f4c-8ab4-ca8e12a148c7,"The new update is garbage. Online shopping and grocery pickup should be separate. This new ""sort it out in the cart"" is awful. Can't check prices in store with app scanner (my location is enabled for this app, all permissions are). Scanned the barcode of an item in my car, the app said it was out of stock. Go into the store 2 minutes later and there's an entire shelf of that item. I scan the barcode on the item on the shelf, app still says it's out of stock. Shopping somewhere else until appfix",1,3,1637610247000,,,Walmart +f043790b-1b29-429f-a440-d5baee695435,"Great app until most recent update. Now it seems everything in the app is for online shopping instead of having helpful in-store features too. The scanning feature pretty annoying becaus it tells you what the scanning feature is for and how to use it every single time you click the scanning feature, even if you just used it a minute earlier. And when you scan some things in store to check the price, it's sometimes not found on the app or the price reflects online price instead of in store price.",1,1,1632855964000,"Hi, Christopher. We are sorry that you faced issues or the app is not working as expected. Your feedback really matters to us and we would like the opportunity to address your concerns. Please feel free to contact us at appsupport@wal-mart.com with additional details and/or suggestions. +",1635982227000,Walmart +9d9781a5-95f4-413f-ac4b-62a518dbd466,"I hate getting to the end and having ONE item for pick up at a location all the way across town. There needs to be a way to edit from the review screen without having to start over, and there should be an option to only show delivery for the entire order without having to re-select that filter for each item. Huge hassle.",3,5,1636021005000,,,Walmart +973602f3-00a7-4500-a73c-0c5bb4b8a5ce,"Most recent update ruined Walmart+. Shipping items instead of bringing them from the store when they are available for BOTH with no option to change this. I do not want two deliveries. Cannot add certain items to delivery after delivery has been paid for. However, this bug can be bypassed by adding something that is available to put in the order and then adding them both to the order. I do not want to shop ONLINE. I want the opt to ONLY shop my store. Don't fire the devs, fire the PM.",1,4,1632387823000,"Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. Please reach customer care at walmart.com/help for issues with fulfillment of your order. If you have suggestions for the app, you can drop us an email at appsupport@wal-mart.com +",1635016684000,Walmart +08562286-ab07-42c7-b1dd-dea36653ce09,This app only scans half of the items in the stores. It's really worthless. It scans the incorrect prices or says the item is unavailable when I'm in the store scanning it. Sometimes it tells you that you have to type in the bar code. I don't have time for that when I'm rushing on my lunch break or any other time. This new app sucks big time. Don't download it. It automatically changed my old app. NOT HAPPY with it.,1,14,1632413876000,,,Walmart +272306a3-7de2-4b89-8425-1eaf196ab2dc,"04/20/20: Grocery feature is useless. You think you successfully ordered items which you then discover pop in & out of stock - that's right, they're not locked in on your order. What's the point in ordering? It means that they will substitute a similar product of lesser quality, and you don't know which ones they will ultimately substitute until you go to retrieve it. Then you discover they have those items in-store. They also made overcharge of $4. Went back to store, but I couldn't open app.",1,46,1613649988000,,,Walmart +4f92962b-1b6b-45d4-8b2c-e4161d30b9ca,"This application used to be easy, fast, and convenient to use. Then Walmart had their nerds send out an update. The update made this application unusable. Items are in your cart one minute and then gone the next. Walmart has also practically stopped giving substitutions for out of stock items. It's easier and quicker to go inside and pick the groceries myself to make sure I get everything I need.",1,3,1610950121000,,,Walmart +c632c19d-40b1-4700-8eab-79cecd97ace4,"I love using the Walmart app to place an order for groceries. It's easy to navigate and find just what I need. Love the fact they look for substitute items if the one you ordered is not available. Plus, they text you to make sure it is okay to substitute the item. You can save items you frequently purchase and make a list of items of those items. They also give you a wide variety of times to pickup your order. That's a bonus for busy parents.",5,7,1617442441000,,,Walmart +7d4be05c-af55-4fba-9077-f2f3a52727ed,"The upgrade is horrible. Trying to shop by department is a mess. Pick up in store is a mess. I know anytime an app is changed people are unhappy but there is no ""ease of use"". You can't find departments easy. Trying to decipher if you are ordering for pick up or delivery is confusing. Even the photos are the smaller.",1,2,1631698320000,,,Walmart +2a270ff1-e0e3-4a0d-9c24-ca2cea048c33,Since the most recent update the app is terrible. I shop using curbside pickup regularly. Items that used to show up when selecting pickup no longer do. The filters don't seem to work properly and I can no longer find normal households staples available for pickup. I will be returning to the store I used to shop at and no longer use Walmart.,1,6,1635194739000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with product availability within the Walmart app. Please contact us at walmart.com/help.,1645505373000,Walmart +c0b356ae-ef5b-406c-958c-30e11b855a04,"While Walmart pickup has change my life for the better, I wish the app had a few more features. 1. If we can ""change"" the order for so many hours after you submit, I wish part of ""change"" was to add items, because everyone has those few things they remember as soon as they hit submit. 2. When items are substituted, I wish we had the option to aprove or decline them on the app as well as in person, that way the items could already have been taken out of our bags when we get to pickup.",3,3,1590955435000,,,Walmart +a5b0155e-56e7-4453-b45d-170e794d29a2,"I want to be able to search different store on the product page, nothl have to back out , choose a different store, and then go back to search the product. Also what's the point of having the app if you're going to direct me to the website, if I wanted to use the website I wouldn't have the app! And where's the store map!? Very handy when you're not in your usual Walmart and need to find a certain aisle! Fix this!!",1,2,1633567957000,"Thank you for sharing your experience with us. . To enable this, we are rolling features periodically and native list functionality will be coming soon post holiday. Meanwhile, you can create lists on the web or add items to the cart and save them for later. If you need assistance, please email us at appsupport@wal-mart.com.",1633950532000,Walmart +7548aee7-9e58-40f3-a66b-c857359d9cd5,"Oh, please fix this app. Super glitchy. Store grocery pickup is a magical invention, but I am going to have to use the website instead of the new app until the app gets fixed. The app reloaded and deleted half my order at checkout. I had to try to figure out what was missing, and some items kept jumping out of my cart no matter how many times I tried to add them back. Please make it wonderful again!",1,0,1589686433000,,,Walmart +9e53eb9a-0e9a-4723-a1c3-fada9f6d875e,"Why??!! The grocery pick up ordering is just full of issues since the ""new"" app update. Previously i was able to pay with a different payment method when adding items to my original order. That is no longer an option. I tried canceling my order 2 days prior to my pickup because i needed to change my payment method and it wouldn't cancel my order. Please fix this.",1,11,1633630423000,"Thank you for sharing your experience with us. We recently made a change to store selector. We suggest you upgrade to the latest version of the app. If you need assistance, please contact us at appsupport@wal-mart.com.",1634297083000,Walmart +55e14292-cfb3-401d-8895-435e503e0a9a,"Scanner useless. Literally standing in store scanning items and when it finally does process the scanned item reads not being sold at this location. Previous versions would tell the price but read out of stock even though I scanned it in store. - location is turned on, correct store is marked as my store. Still having same issue, tried Uninstalling, fully powering off my phone, turning phone(Galaxy S8) back on, reinstalled app, still having these issues.",1,4,1635557561000,"Thanks for sharing this with us, Kayla. We’re sorry you’ve had issues using the scanner in the app. We’ve shared your experience with our App Development Team. Meanwhile, to get accurate prices while shopping at your local Walmart: Enable your precise location in the app. That way we can show you accurate prices based on which store you’re in.",1635541383000,Walmart +247917eb-ce6d-484a-95e0-630cd6ab2379,"What happened to the scanner? That was my favorite feature of the app - the ability to price check when I was in the store. Not any longer. It stopped working a couple of weeks ago. I uninstalled and then reinstalled it without any change. So disappointing. Especially when stores like the one I was in today, took out all of their price checkers.",1,0,1652248922000,Thank you for sharing. We are rolling out a new app. We're updating the barcode scanner feature for price checking items. For accurate prices while shopping at your local Walmart: Enable your precise location within the app. Then we can show you accurate prices based on which store you’re in. Contact us at https://survey.walmart.com/app,1653627562000,Walmart +d56f387d-97d7-4a2e-b9e0-21d7e15d8bce,"It's great to have them bring groceries to your car, customer service has been fine, BUT my last orders have all had issues and it's too frustrating to keep dealing with. Not out of stock issues but ridiculous issues. Stuff being ""out of stock"" when it's clearly not, we added items that they said could be added to the order and they just removed them but they're still holding onto our money for it. I get things are harder with covid-19 but these are system glitches that keep getting worse.",2,2,1597518973000,,,Walmart +b9329fc0-d3b3-438c-8b25-4c664a00857f,"My previous review was taken down & not sure why, but obviously everybody's having the same issues including myself! This app had pretty cool features until you broke it with this new update. I no longer can search for items, choose a time for curbside pickup, use voice recognition & it's not user friendly anymore. It's confusing when you check out! I don't want my items shipped! You broke something that wasn't broken! Please go back to the way it was before the update!",1,135,1635190503000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with filtering between Pickup & Delivery vs. Walmart.com. We’ve shared your experience with our App Development Team. New app features each week based on customer feedback. Please contact us at https://survey.walmart.com/app for any additional feedback.,1645238423000,Walmart +0b5b237e-62eb-41ff-89cd-c0d80d6715dc,"I use this app weekly to order grocery deliveries. I would give it a good rating as far as the layout and convenience. However, this app locks up and stops adding items to my cart and I end up having to close and reopen the application every single time I use it. It takes way longer. than it should for me to put my grocery order in every time.",2,0,1630267138000,,,Walmart +e290f91a-08e6-4140-9f0a-dff009210a00,"This app has so many issues. For example: saying an item is available for 3+ day shipping, then you select the item only to be told it isn't available for pickup at your local store, and given no option whatsoever for shipping it. This happens so frequently to me when I am browsing for items, whether it be food, beauty, household, etc. If Walmart is trying to compete with Amazon, they could really stand to find better app developers. JMO",3,88,1656838738000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1657847038000,Walmart +901411b8-9e53-4d41-84cf-64160ce4e970,"The new update is terrible! Stores have removed all the in-store price checkers, so you have to rely on the app when prices aren't located on or near an item. Which I was fine with previously, however, since the new update each time I scan an item it says that the item isn't even sold there! You click on it, and it takes you to a page with the exact item sold by 3rd party sellers! It's absolutely infuriating & frustrating! The old app was so much simpler and it actually WORKED!",1,79,1634245827000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the scanner feature in the app. We’ve shared your experience with our App Development Team. Meanwhile, enable your precise location within the app. That way we can show you accurate prices based on which store you’re in. + +",1636021655000,Walmart +c8c20f4d-528c-492c-9bc7-e3a2ec34f032,"This app is almost unusable. You add things to your cart, and at the end it says half of your items are out of stock and you have to delete them from your cart. A large portion of your order will automatically switch to shipping, even though you selected them for pickup. They never actually tell you when your groceries are ready to be picked up. I have to call every single time. If I could give Walmart zero stars, I would. Absolutely terrible app.",1,82,1638008221000,,,Walmart +0251128d-658d-4061-bf5b-b21529dfd476,"Pay $15/mo for Walmart+. It's a rip off. Every delivery has issues. It's inconvenient. Never have drivers. Substitutions are bonkers. I'm so fed up with the app and service. Easier and quicker to just stop at the store rather then go delayed hours (or days) for messed up orders. It's more expensive, but never had a problem with Amazon fresh. Hard to believe such a large and profitable company fails so hard.",1,0,1627897633000,,,Walmart +d39cd790-c7af-44dd-8908-1989d3736a48,Edit:the update is dumb! Let us scan outr receipts!!! It lags for everything. It tells me to try again in 1 hour I've been trying to buy some things for 4 days already with it telling me to try again in 1 hour. And why can't I cancel an order the same day. I got the wrong kind and I have to wait till it gets here and send it back. I should be able to cancel it with in a certain amount of time.,1,41,1541287574000,,,Walmart +511b1879-3400-450b-9cf1-cc70c3a89152,"I greatly preferred the app the way it functioned a year or so ago. you were able to click through different departments and it felt a lot more ""browsing friendly."" I've tried browsing with the way the app works now, but its so tedious. Most of my shopping via this app is now done by searching for specific items. Which is fine for my budget but can be boring on the meal plan/palate.",2,14,1640511219000,,,Walmart +182689e3-f045-45da-946c-016e6e70bdf4,"This app used to work very well and a lot faster, but just like so many others have posted, since the update it really sucks. It's super slow, doesn't let me add items to my cart after clicking multiple times, and then items disappear from my cart for some reason. This is very frustrating and makes me not even want to shop online from Walmart. It's makes this weekly chore take so much longer, please fix!!!!",2,19,1610011568000,,,Walmart +5717b4d7-a27e-45d6-b76b-5897bf8ce21a,"Wal-Mart as a place is Wal-Mart. Everyone knows it, and it needs no further description from me. What I will review is the online shopping feature. I use the online grocery. It helps to save time, money, and the frustration of dealing with the crowds in the stores. Be advised, though, that the online feature does say items are unavailable quite often. This is the reason for 4 stars. I would give 3, but this is a good tool.",4,0,1670937646000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with product availability within the Walmart app. Please contact us at walmart.com/help.,1674939466000,Walmart +b41b70f6-7a8b-49d3-8d3d-9bcaaea35ea8,Several pricing issues preventing us from completing order. We will have to go inside to complete grocery list due to this. (ex. knoor power rice listed at $35. Should be only $1.) A few other major price issues noted also. We checked to ensure it wasn't an app update issue and it appears our app is fully updated. Not sure what the issue is there.,2,6,1641210325000,,,Walmart +93db2cbe-c993-4108-adb6-93541e31b74b,"It used to work good. But in typical walmart fashion they decided to implement a boneheaded feature of showing EVERY ITEM I EVER PURCHASED in the ""my items"" section, regardless of being favorited or not(thanks for tracking my card info... Not!) Not to mention I now have to spam click the ""add item"" button that maaaaaybe will add the item to cart. If you would have asked me last year if the ap was worth 5 stars yeah, but unfortunately it became faster to shop in person instead of this app.",2,0,1611721406000,,,Walmart +bec6f58d-4175-4684-b88c-5b59d978a317,the Walmart plus program is great I order my food and other things and get them delivered no shipping fee no minimum order. I usually get everything I order. I've only had to substitute other things once in a while I've only had to get a refund a few times. it's better than amazon prime IMO. it's cheaper usually and they have a great variety of things to get. for food delivery is a great service especially for the price. instacart adds to the price of the items. walmart doesn't.,5,11,1618220572000,,,Walmart +751cd162-e1fe-4592-8d0d-0677832efe5e,"Broken after update. No way to add certain grocery items to pickup cart instead of shipping cart. Then suddenly almost all of my grocery cart goes out of stock, including milk. I switched back to the non-updated version of the app on another phone and it worked fine as usual. But I do believe this update will be an improvement once they work all this out, especially the minimum order price being shared between grocery and online will be nice.",2,7,1627377724000,,,Walmart +0283bad3-ba5f-44e4-83cc-420a727da774,You really don't listen to your customers. I absolutely hate the new app. It's not as easy to navigate. Bring back the separation between grocery and online ordering. I've seen others with the same complaint. Why do items that are in the store suddenly shipping only?? A box of spaghetti shipping only? Really?? The checkout process is horrible. Why are some items pick up only now? I can't drive and delivery is my only option. I never have this issue with Shipt. FIX,1,177,1644464917000,,,Walmart +31836a7c-094c-43ad-baf9-c43a955d64e3,"The pick up feature is not reliable. I waited 45 minutes to be told my order was missing or given to someone else. They didn't know what to do in the parking lot. They basically said I was screwed because someone else must have it so I should ""try"" a refund. The store was just as unhelpful. I was able able to receive the refund by calling customer service. I have no groceries, and they were unwilling to have the same order delivered. I both have a refund and a headache.",1,1,1670315789000,"Thank you for sharing your honest feedback with us. We sincerely apologize for the issues you've encountered with app while trying to place a Grocery Pickup & Delivery order. Your feedback has been shared with our App Development Team. If you need further assistance, please feel free to contact us at https://survey.walmart.com/app",1670363994000,Walmart +9d8a3508-0a3a-4ab5-b235-632617ca4b31,"I have shopped in store and on line thru this app. Including payment options. Must say I've no complaints. Glad they improved the scan app. Much easier to use than the original. Unlike in the store where what is labeled on the shelves does not always quite match what is on them by item or price... But wait, the stores have always been that way...I think it's tradition.",5,11,1571914777000,,,Walmart +65b41981-44d2-4c94-9aba-d32f270032da,"The new app is TERRIBLE! I can't scan a lot of things in store so I end up not getting them, can't add to my lists, can't use voice to type, issues trying to view reviews, this new app is causing my family to take more of our money to Amazon and Target. Walmart needs to go back to the old app ASAP before they lose more business with us regular shoppers!",1,5,1634049196000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the scanner feature in the Walmart app. We’ve shared your experience with our App Development Team. Please contact us at walmart.com/help. +",1635419439000,Walmart +91172ba9-7258-4bf5-8b13-8714bb54ed72,"The app is the worst since the July update, I scanned items and the price on the tag said one thing, the app said another, and the register said a different number too. Never had this issue before. Why can I not compare prices with different walmarts either, incredibly stupid. The app was perfect before. Only thing that came out of the update that was useful was that when I scan, you don't have to close and open the scanner each time. It is really annoying 😒",1,49,1626375718000,,,Walmart +fd504486-7137-4ee6-bb6a-1f983e0cb4b8,"Greeting Wal-mart shoppers, salutations and well met. I usually don't post but loved the convenience of not having to touch using the ole QR code shop and go perspective. Now it's very tedious having to dance my phone around to never get it to work. Saving money at the pump for me is the best option since you no longer can use gift cards. When will this issue get resolved, as its been two months now Clearing cache,uninstalling, reinstalling, and restart does not work. Please get it fixed.",2,6,1675607669000,,,Walmart +58f81269-4376-44c3-aab1-abe3fc20c581,"Dont ever try to use it for pickup! They substituted an item of mine for something completley different but offer no option to reject the item or request something else. The store had at least two other items that were similar which I guess weren't considered for whatever reason. I spent 30+ minutes of my time attempting to get assistance through the chat with no success. This was supposed to be convenient, but I've learned my lesson. This was the first and last time I'll ever use walmart pickup",1,0,1600978891000,,,Walmart +0357e6bf-31f7-4499-89e5-e18719b59280,"started using the app to scan receipts for savings catcher. They then made it so you had to use WM pay to submit receipt to savings catcher. Not ideal, but ok. Well, now the app forgets my cards, and has an ""oops"" when i try to enter the card info again. so they give you one option to utilize everything, and it never works.",1,1,1545615139000,,,Walmart +75057ac3-cde7-4fb0-9c98-d20a7f7d5fdc,"Love the app!! At times i cant find the price of an item in the store and all i have to do is scan it. Also, I am usually able to scan my receipt because I usually misplace it and if I need to return something I just scan the item in purchase history to return it. Lately, I have not been able to scan my receipt nor view my purchase history unfortunately and its a little inconvenient.",4,4,1619324673000,,,Walmart +81efee48-c61f-4cde-99dd-466240a4f49f,Have been homebound due to illness and Coronavirus for the past year and a half so I was unable to physically visit a local store. Using the app has been almost a virtual journey through the Walmart and I was able to find nearly everything I need. The only issue I have had is with compatibility with my Android phone. Some of the electronic descriptions neglect to state if a USB cable was for Android. I ordered it but received a cable for iPod/Apple devices. Couldn't return it so that purchase.,4,1,1636143929000,,,Walmart +064b03ab-8a02-40b4-87fa-9ab070b8ad88,The update into 1 site is horrendous and unwieldy. It was splitting my order into pick up and ship (and setting me up for a shipping fee) when everything I wanted was in stock at my store. And then you need to manually tell it to make each item they wanted to ship to be a pick-up. Its like going to Amazon when all you want is groceries. A complete fail of an app and I want the old version back. Would be 0 stars if I could give it.,1,0,1631872187000,,,Walmart +3da67f75-e0b9-4434-93fa-7aad3bfa2b7f,Terrible Update. AND you took LISTS off of the app?!???!!! No more wish list/favorites option = entirely way less shopping since I can't quickly add something I'd like to come back to later when I'm too confused by all of the in cart mix-ups as it is. 🤨 Product pictures are all smaller. The shipping/pick-up/in-store-only features are broken. Can't switch if added to the wrong cart option even if more than 1 option is available. My grocery favorites are all GONE. All right before Christmas.👍,1,9,1637302978000,"Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. We’re working on adding lists to the app soon. Meanwhile, you can still create and edit your lists on web. Please contact us at walmart.com/help for any additional questions. + +",1637771996000,Walmart +1d4ae2b5-c18b-4b2d-9e87-3811161734bd,"The app has potential but there's a lot of work to do. The app is well built with good and responsive UI, but it crashes from time to time. The inventory and logistics are terrible. There's pick up from store option but many stores don't know what they have or not have. If you order shipping online, 10 items can come in in 10 different shipments. And remember to filter out 3rd party vendors, there's no quality control and prices are all over the place.",2,421,1588585520000,,,Walmart +c2d52494-8d98-43b5-a42b-3d846c1d9cd3,So I've been using this for 2 yrs & have had maybe 4 or 5 issues. Most minor but 2 were bc my groceries went to the wrong house. Do NOT let that turn you off bc I live in a trailer court & all the #s aren't always clear! The Customer Service is amazing! They go above and beyond to fix ALL mistakes. You can get refunds if they replaced your item with something different and you don't like the switch! Best Customer Service I have had ever encountered! Best app for getting groceries delivered!!!!!,5,35,1663449012000,,,Walmart +8f838fcd-e0e1-4d67-9d62-10484fbf34c8,0/28/2021. I've tried this app several times since the update. It sucks sideways. Was just looking for an item and it shows multiple colors in scan but go to see these choices and none are there. This app lacks sorely. Did an update 9/22/2021 and can't even get into the site. Fix your stupid problem. Spent 15 minutes for the process to locate me. Still didn't locate. If I could revert back to before the update I would.,1,5,1635492504000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly. +",1635018101000,Walmart +7f764607-3579-4aed-89cb-1bc508663462,"I love Walmart's delivery program! I have no problems tipping the shopper's (the driver), however I have received poor quality in fruits and veggies, which I normally get elsewhere, but on a whim I will take a chance and order from Walmart. If I order fruit's & veggies I wait to tip to see if they took the time to pick out nicer quality. That's my one and only complaint and that'swhy I scored it 4 stars. Otherwise I Love it!",4,6,1618178488000,,,Walmart +36315870-81eb-4569-af4b-3803296ac33c,The old app was much better. This new one is very un-intuitive. Puts the items you frequently buy into weird categories and I can't find a way to save them in a favorites category. Not sure why that feature is gone. The search function is a joke. I will search for something very specific which I know they carry and all these unrelated (somewhat) similar items randomly pop up. Sometimes BEFORE the item I searched for will. It's an obvious ploy to try to get you to buy items you don't need!,2,209,1638686497000,,,Walmart +7fa29c14-e384-4477-a5d8-70b18447268d,"Extremely convenient grocery delivery. I've had a few hiccups with it a few times;not being available at the time promised or running late, I once even had them not show up! For the most part I'm really happy with it. Especially if you are sick,immobile,or just have trouble getting around the store, the grocery delivery is really the way to go!!! Also great for those that are just extremely busy, or have little kids that have ""way too much fun at the store"" ! Would recommend!!!",4,17,1664936881000,We appreciate your review and kind words. We are so glad our delivery service could help you at this time of need. Thank you for shopping with Walmart!,1670150773000,Walmart +7ce2c290-8658-4177-ba27-8ea608c66199,"New update has ruined my shopping experience. Try to locate something in store and see where it is located, gone. Try to scan the kiosk for the giveaways, doesn't work. Tried to fill my prescription, takes me to the web to login then brings me back to the app to the same page. Worthless to me now! Why try and upgrade an app that worked perfectly? Amazon it is!!",1,22,1628652818000,,,Walmart +47013012-9783-42fe-ad33-a26d4cfb166d,"Why do you guys keep messing with the layout? ""My Items"" is way worse than the favorites was. I had all my favorites in one place and could easily go to a section. Now my items is a list of every single item I've ever bought. Why? I want to remove an item...oh, the remove option is broken, great. Maybe since I have all my favorites marked I can go to the favorites list. Oh, it's I'm complete random order and not everything I have marked as a favorite is there. Stop messing with what works.",2,8,1601847218000,,,Walmart +f15fee47-3f76-4741-ae10-3f76e1d34a46,Gets worse everytime I open this app! Wish I was exaggerating but there are so many errors plus the screen jumps around when trying to scroll. Also I spent a lot of time organizing a favorites list. Now products have been erased from the list. You guys ruined this app with the update that changed list organization. Often times I get that annoying spinning wheel on a blank screen that lasts forever when I try to search for a product. Wish I hadn't paid for Walmart +. $100 for aggravation!,1,21,1611477625000,,,Walmart +24abf3c7-bb6f-4660-9584-b3eef58cf752,"The Walmart app is absolutely horrible. I am so mad. I spent forever trying to add things to a pickup order. I'd go to checkout and they'd want to ship half the items. I had to click on ""pickup"" every time I searched for an item and that helped SOME WHAT. They still wanted to ship 2 bags of chips to me even though I clicked pickup. Seriously? I went to add things after I finally got to check out and they wouldn't let me add anything... at all! Fix your app or you'll lose more customers.",1,247,1628378518000,,,Walmart +7e005427-2f3e-426c-98d7-79e3f8b06acc,"Not good, not bad. Been using it for 2-3 years now, on the same device (Note 8) and about 3 months ago, it ""lost"" my stored favorites. However, when I shop individual departments, my favorites are still designated. This has decreased my usage of the app (without a corresponding increase of in-person shopping) because it is no longer as convenient. On the upside, when I break down and shop the departments via the app, I find new items to try. Possible marketing gimmick? Maybe.",3,145,1598738028000,,,Walmart +9fa7a756-49e3-4689-b10e-8c3326e21cce,"This new version is completely useless, now i can't even do something as simple as check a price in the store im in, tells the price of other resellers but not from Walmart and that's when it doesn't say that its not on file wich is the majority of times, and there's no way of changing that, it's vert frustrating as the old version worked completely fine and never had an issue with it, you completely ruined an app that worked fine and made it useless",1,7,1626762702000,,,Walmart +4b401a75-751a-4227-a05c-a4e99f707079,"I've had walmart Plus for years and have been on an annual membership, which is unfortunate as the service seems to have fallen apart for the last year. You only get half of your order, and they will not look for substitutions. When they look you'll get travel size for twice the price. Three times, they have delayed a day or more on a grocery order for an undisclosed time the next day and refuse to cancel because I am ""too late"". They also tend to lose your shipping packages in Vegas for months.",1,105,1691909315000,"Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app. Please reach out to customer care at walmart.com/help for issues with fulfillment of your order. If you have feedback for the app, you can contact us at https://survey.walmart.com/app",1691914636000,Walmart +d1e4a214-9c08-4bb2-8195-735c5b717705,"Walmart discriminates against their online shoppers. When these shoppers place items in their virtual carts, they most certainly will not end up with those items--some replaced and some missing. One thing is for certain, it's ALWAYS a surprise to discover what I actually receive. In addition, at least with one contractor, they contract with people who can neither speak nor read English, so any delivery instructions you add to your order are completely ignored. That's just not good business.",2,2,1633973850000,We are sorry that you faced issues or the app is not working as expected. Your feedback really matters to us and would like the opportunity to address your concerns. Please feel free to contact us at appsupport@wal-mart.com with additional details and/or suggestions.,1635348670000,Walmart +3e1dbcf5-b2ac-4690-a640-26c4152383ad,"decent app no issues yet. UPDATE SEVERAL MAJOR ISSUES. Product came absolutely destroyed. NO ONE TO CALL. No direction. So I messaged the seller was ignored. I started a return and the app had technical difficulties over and over, logged in from another phone on iOS same! No returns whatsoever. Removed the button to cancel my Walmart plus trial. They still charged me $120 2 weeks later and again NO ONE TO CALL.",1,1,1676583247000,Thanks for using the Walmart app! We appreciate you taking the time to rate us!,1672225568000,Walmart +5d748a84-cc62-4e25-a910-e2725ed3f657,"It's nearly impossible to add items to your pick up order now. Also, the app has removed items from my confirmed orders on its own. This app used to work seamlessly but now it's basically useless. These issues have decreased my shopping at Walmart. Walmart isn't the only place to shop safely during covid, now that other stores have pickup options available.",1,0,1630670928000,"Thank you for sharing your honest feedback with us. We sincerely apologize for the issues you've encountered with app while trying to place a grocery pickup order. Your feedback has been shared with our App Development Team for further review. If you need further assistance, please contact us at appsupport@wal-mart.com",1631848942000,Walmart +0eafb4c8-f7c7-4861-866d-5b49d0a55e93,Walmart took a great usable app and turned it into garbage. A good amount of items that you try to scan to find the price don't come up. Map doesn't work to find items. WM you're going backwards regarding innovation. Do better! Update: Well now I can't order photos online either. This useless app has now decided there aren't any stores in my area. Let me be clear in my town are 3 (1.. 2.. 3...) super centers and 2 Walmart Markets. USELESS! Think I'll go to Target from now on.,1,24,1638503467000,,,Walmart +c3f880c0-b7c9-4902-a95b-3ab001eff072,"I've had several issues with the app since the specific grocery pickup app was taken away. Almost $80 worth of items didn't show up on my receipt or on the out of stock list. They showed in my order when it was placed. I wasn't charged, I just never received them and I was counting on many of them as they were important items. I didn't realize what had happened until I got home. I have to drive an hour and a half to get to the store so I can't even swing by and pick them up either. Very annoying",1,1,1590907564000,,,Walmart +29245381-2bdd-4523-91c3-8d539aef636c,"This app is buggy. It will not recognize my address, even though it's registered through the USPS. The map for delivery is completely off. Half the time our grocery deliveries are late, because it sends them in the opposite direction, even if we are a few miles from store. I could go on and on about the service and app. Unfortunately, when you are disabled you depend on grocery delivery, and there are only 2 stores that do that in my area. So, I'm stuck with it.",1,122,1658555664000,Thank you for voicing your concern about our Online Grocery Pickup service. We would love to get more information into what happened. Please contact us at walmart.com/grocery/help,1659048184000,Walmart +9db3484a-69a7-4955-b9fd-6962937c60f6,"Does NOT allow items to be 🌟 and add to favorite items list!!! Need to make it easier for Walmart Plus members to find the feature to add fuel at the pump with the code or scan feature!! Need to fix the ""Substitutions"" feature!! If you slide down the screen at the top of that list, but still have not pressed the ""done"" button, new preferences will NOT BE SAVED!! It's not a good idea to ""check in"" to let store know you are on the way! App should show the max time allowed to go for items per day!",1,79,1706662353000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues with item substitutions for Pickup & Delivery. We’ve shared your experience with our App Development Team, they are working towards bringing back this important feature! Please contact us at https://survey.walmart.com/app for any additional feedback.",1676286102000,Walmart +0edb8b6b-1336-41ab-b08e-2f0edc79f4da,"Used to be able to manage pickup vs online separately which made great sense, but recently the app merged everything into one lumped place and is an unpleasant mess. Now, avoiding 3rd party sellers and managing shipping is far more complicated. The new template seems to mimic the Target app but falls terribly short in competency and satisfaction. Too bad they switched it, because before it was fine.",1,16,1625939430000,,,Walmart +793958cf-9a25-4797-a620-b148602f698c,"I have been using the Walmart app for a few years now & loved it till the new update made it completely worthless! The main reason I had the app was for grocery pickup & scanning in store & now both of those barely work! I tried scanning over 10 things on my last trip & the all kept saying that they weren't available in the store while it was sitting right in front of me. Now I understand that happening once or twice, but not on everything I scan! Won't be back at Walmart till they fix the app.",1,2,1633046890000,,,Walmart +73b8fbca-ccd7-48f9-a9ab-189db3687dae,"Since the latest update, the price scanner on this app has been practically useless. 3 times out of 5 I will scan something and the app doesn't know what I'm looking for. Also, the Walmart Pay function is much slower than it was before. I used Walmart pay, the screen on the checkout read ""Thank you."". I walked away and the next customer started scanning their stuff, and it was charged to my card. I spent 10 minutes with an associate trying to get things corrected.",2,3,1631728518000,,,Walmart +3cc73e8b-da06-4e73-bd84-4be5c8c9c8e1,"Edited: The app has been updated since I first wrote the 1 star review and it is a little better. I love that I can add from my laptop or my phone again. I still don't like that they break the cart up. You have to be sure to check and make sure the whole order is being delivered, shipped, or for pickup. It still isn't the way it was when I loved it but it is better.",3,1,1634269825000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1634269163000,Walmart +cea922e9-800c-4a85-aa0c-e2eb863e5f94,This app is absolute garbage..it has so many bugs. It always crashes.. now its not letting me place orders.. won't complete a transaction. It always says items are in stock but they aren't. I could go on and on!! And why does it take so long to be refunded? I've been waiting 2 weeks for a refund and still haven't got it...happens constantly!!,1,33,1641928930000,,,Walmart +6ddb33da-244c-40a1-8b22-eae3b240b3ca,"Does not work consistently. Ordering refills works about 70% of the time. lots of ""something went wrong"" errors. If you don't get this error then your prescription renewal is always successful. The Express pick up option is cumbersome, error prone and sometimes slower than standing in line with everyone else. I have about 50% success with Express pickup and no one in the pharmacy can figure out why it doesn't work. Pharmacy functions need work.",3,30,1556190946000,,,Walmart +909f3898-ea2d-4729-aaa7-df8c65c02469,The delivery was superb. I loved that part. Didn't like that the app itself bricked my phone. And my tablet in the same day. I tried ordering groceries to be delivered and it crashed my phone and wouldn't boot again. Then I gave it the benefit of the doubt and got it on my tablet. Completed the transaction. And after 20 mins did the same thing. Had to buy a whole new phone. That is the only reason it's getting a bad review. Cause everything was fine before I downloaded this app.,1,4,1634605259000,We're sorry about the difficulties you've had! Please provide our Mobile App team with more info at https://survey.walmart.com/app so we can look into this further.,1642552857000,Walmart +ad6aef81-d322-4d89-bfe4-e51c9b28c410,The latest update is useless! The previous app before this update was awesome! This new one is so confusing. I couldn't add/find items in the app directly but I was able to do so if I am being redirected from a Google search. The app is treating the in-store pick-up as curb side pickup and charging fee. There is no way we can figure out we are shopping in which mode. Absolutely useless update only to make things worse which were easier. Pls bring back the old version!,1,2,1633393310000,Thanks for sharing your experience with us. We’re sorry you’ve had issues navigating the Walmart app. Please provide our Mobile App team with more info at appsupport@wal-mart.com,1638974668000,Walmart +1bdabfab-29cc-43df-a790-93353d87c286,"This was the absolute worst update to an app I have seen yet. I believe the changes were done purposely to prevent shoppers to locate inventory/pricing in other stores. If that wasn't so, why are they forcing the update if customers are using the older app? If it's clearance, don't they want to get rid of it? Prices shouldn't vary from store to store in the first place. Lastly, the in store scanner is horrible and doesn't work on clearance. It says either out of stock or shows online pricing.",1,2,1633212692000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the scanner feature in the app. We’ve shared your experience with our App Development Team. Meanwhile, to get accurate prices while shopping at your local Walmart: Enable your precise location within the app. That way we can show you accurate prices + +",1638355995000,Walmart +a591474c-7ffc-43cf-887e-dac00b4c783e,"I love Walmart... The app, not so much. I am really rooting for Walmart to give Amazon a run for their money for online and app shopping experience. I still use the app quite frequently. Mainly because I like Walmart, and I really like shipping there. But there is something seriously wrong with the app. I can't even pay for my items at times, and I lose my pick-up time slots because I can't it for my items if my cart. Walmart; Amazon is beating you soundly in the app and website spaces.",1,1,1596582783000,,,Walmart +ccc25f23-e813-4bb7-95ab-11a22f01144a,"My wife and I found the optional items descriptions on the screens difficult to understand and to follow. The app created a second order after we had cleaned out the do not substitute items, and postponed our pickup to the next day. I called customer support and they were very kind, checked our status and verified that our original order was still valid for that day. The pickup instructions were very clear and easy to complete. we will use the app again and hopefully it will be easier.",3,14,1665534488000,Thanks for using the Walmart app! We appreciate you taking the time to rate us!,1665616916000,Walmart +5877cd02-a5e8-4048-a24e-849cb5aa6be7,"The new combined ""experience"" is terrible and makes shopping (particularly grocery pickup) more difficult. But worst of all is that I just finished compiling my cart for grocery pickup, and when I went to checkout, it completely emptied my cart! Now I have to start all over again! You've got to be kidding me!",1,3,1631706454000,,,Walmart +6cad3378-eeab-4bca-a304-405489463653,"I like this app! It's pretty easy to use, for local pickup & delivery of groceries. That's crucial for me, after running the battery on my portable oxygen unit down to zero waiting in line at the store, and having no transportation now. My one request would be the ability to select an alternate items in case the first choice is 'out of stock'. Local store is frequently out of bakery slices Italian bread, & I don't want unsliced! I'd prefer a name brand loaf of sliced at 3X the cost.",5,21,1660350969000,,,Walmart +ed4dd2b2-6412-41fd-b0de-2ef32ea42cd3,"Purchased toilet paper and a case of Aquafina for pickup, the app waited until after I checked out to tell me they were being delivered because they were out of stock. Go in the store, and they have both items. Now my waters are marked as delivered, but we didn't get any packages. I tried to click the help button at the bottom of the order, and it just sends you back to the homepage of the app. Walmart sucks.",1,16,1629347835000,,,Walmart +8cd144bc-6380-45d8-a3b7-c8bab64cce91,"The app is terrible. They need to go back to putting pick up or shipping on the item page, it's confusing the way it is now. I can't check store stock. I can't sort newly listed product. I can't add my receipts into my purchase history anymore! The in store price scanner is a joke. The app no longer registers that I'm in a store, they just bounce back website pricing or worse, pricing from overcharging 3rd party sellers. Not good because in-store pricing sometimes varies from the website!",1,112,1628839300000,,,Walmart +1b061d5a-00f8-4eaf-898f-f544bbbe9a40,"It's hard to shop for pantry and household items with 2 toddlers. Even though I know parents have been doing it for years, I'm going to take advantage of the pick up option and I'm thankful for it. We go in the store for our produce (we have never had a problem with pick up produce or meat but still like to get our own).",5,2,1670370881000,We appreciate your review and kind words. We're so glad our pickup service could help you! Thank you for shopping with Walmart!,1674888378000,Walmart +ace603ee-8ed7-47e0-9f74-494553fedebe,Scanning a receipt using Savings Catcher was the only benefit to using this app over the website. That's been removed completely which defeats the whole purpose of using Savings Catcher. I actually cared less about the savings and more about the ability of digitizing receipts so I didn't have to keep paper copies. Absolutely pointless now!,1,9,1541320455000,,,Walmart +53edefb8-d52e-400d-bc11-64d046eb8f05,"- Fix the lag time between putting items into the cart (usually 15-20 seconds for each item) Should be 1-3 seconds - Fix the scrolling. I've gotten stuck on various groups (Produce, Pantry) to name a few. It wouldn't scroll past and it would keep on loading those areas. Slow scrolling helped. - Make the app generally more responsive",2,21,1601842591000,,,Walmart +8c3f2a8c-39db-406b-a391-6caec7e4cb84,"Update: Still not working yet after another update. All the great reviews of recent have to be fake. I add items, seconds later they leave my cart. Close the app, SOME of the items are back in the cart while others are not. It use to work great. Now it won't let me add items to my cart. Most times it won't load images. It takes forever to fill my cart due to the constant glitches. For the first time, it will save me time going in to the store to shop rather than dealing with this app.",1,150,1603319691000,,,Walmart +e4df8863-f853-442a-8cbe-043fb41fee53,"This ap works well, but when I order items for pick up & the store doesn't have it, they say they will ship it free, but charge me a fee for being under the $35.00 minimum order, even though my original orfer is well over $35.00. No thank you..once I realized that, I started to cancel the stuff that needs to be shipped. The pick-up people are great, no complaints about them.",4,18,1645765599000,,,Walmart +e23c3d58-f8c2-4665-bc2c-476c74a4bd60,Great buys and delivered right to my doorstep! I really love being able to order some of my favorite things without having to leave the house and it really helps me out with my ANXIETY so I don't have a anxiety attack while shopping for many little things that I forget to purchase. I enjoy getting my orders and so far everything has been perfect!!!,5,0,1629698598000,,,Walmart +bfe324bc-ba80-4a49-9a28-840b5f630174,"One year ago I would have given this app 5 stars easily as I was very pleased with it. It was simple to shop by selecting my favorites and seeing only the items I specified as favorites. Now it wants to show me every item I ever purchased no matter how many times I've removed the items they keep coming back. I used to spend 15 minutes doing my weekly shopping now I spend 2+ hours fighting the app and end up missing items I wanted to purchase. Also, the app used to not send out ads all the time.",1,71,1611438278000,,,Walmart +e1441841-9856-4405-a11e-8acfd8b73d79,"The new app is horrible! You can't just go in and select grocery pickup and view groceries. You have to select pickup, in store or ship for every item you search to get exactly what you need from the store you select or your milk or eggs may ship in 3 days lol. Walmart failed to let it's customers know about the new app and we went to do grocery ordering and our cards got declined and it kept saying error try back later, but it never worked. I had to uninstall and reinstall app for it to ✅ out!",1,3,1631469266000,,,Walmart +a1bb300b-3238-46f8-a927-ad610ddee4e2,"I absolutely 💯% HATE the update! Everything is awful now! It was so much easier and streamlined before. This one is a big mess. I had to get my old phone where it wasn't updated yet and log in to even see my grocery order was canceled! 😡 The updated app just gave the option to track it and then said they couldn't track it and was having issues when I tried. I freaked and thought the driver left it on someone else's porch. Tried calling had me on hold forever. Just bad, put it back how it was!",1,27,1653702334000,Thanks for sharing your experience with us. We’re sorry you’ve had issues navigating the Walmart app. Please provide our Mobile App team with more info at https://survey.walmart.com/app,1654314767000,Walmart +877d43d2-b3b7-4831-bd6b-2c5ac05d9196,"I'm through with this app. I have been using the Walmart pickup app for 3 years now, and never had an issue until now. I just spent 30 minutes trying to add TWO ITEMS to my cart so I could check out. The app kept removing the items, and at one point removed half of my list, so I had to navigate the horrendous process AGAIN. I'm done. These days, there are too many other stores offering grocery pickup to have to fool with this maddening ridiculousness.",1,0,1605276088000,,,Walmart +0b83cba0-b1c4-4bca-aab0-41abd6819998,I shop Walmart 99% of the time for everything I need or just have to have and 98% of that shopping is done using the app. They have continually tweaked the app for the good and I do appreciate it. One added benefit that I would like to see is having the ability to use more than one credit / debit cards at a time. Sometimes it takes multiple cards to make my purchases. The way it is now I have to place separate orders depending upon the balance of each card.,5,378,1662272277000,We're glad you love shopping with us! Thanks for taking the time to rate us!,1674707277000,Walmart +01bf8707-c1c5-4c5c-99b1-2a292d0e96a2,"The checkout process is a nightmare. Especially when I'm paying with my EBT card. I'll have everything in my shopping cart, select my EBT card for payment, and enter my PIN. It refreshes and I have to enter PIN again. It refreshes and random items in my cart ""are not available"" and I have to start the process all over again. I've been stuck trying to checkout for HOURS! And it does this EVERY. SINGLE. TIME I use the app. The other grocery app did it occasionally but this one is worse. Please fix",1,36,1593946431000,,,Walmart +b7f7becf-8ae4-436e-a0b0-d08817b0200f,"Sometimes has incorrect pictures or none at all for items (such as when I searched for lunchables and got rulers???), and I wouldn't recommend getting fresh fruit or lettuce through the app. Otherwise has gotten speedier in terms of being able to order, pay, and do substitution edits all at the same time! AND next-day delivery for groceries is *actually* possible now in my area!",3,3,1618457915000,,,Walmart +f4a341ca-b159-4565-9059-d38d43b54e05,"Awful all around. The old app was a thousand times better. This new app makes it incredibly complicated to order groceries for delivery. I used to be able to order a lot with delivery, now they have very limited options on the new app. You can't save your receipts on the app anymore and when you try to check the prices of an item in store, they are either inaccurate or the app says that item doesn't exist. I hate the new app so much. I loved the previous app just the way it was. AWFUL.",1,156,1629015625000,,,Walmart +c6b6630d-8f50-41c4-b8b4-65c6ea40b93a,"Edit: they listened to the huge feedback and revised the app so it's now easy and probably even more functional than before! Editing review :) This app used to be so good, I'd shop online every week and either pickup or have it delivered. But the new update has rendered it incredibly frustrating to use, to the point that I'm literally going to be paying more for groceries elsewhere on a different app to avoid the hassle.",5,337,1633997274000,,,Walmart +71aa044b-589a-4607-9a5b-c9d577b0a60d,"Lists option is gone. Adding to your favorites is gone. No distinction between pickup and delivery. Everything on the app basically says out of stock even though it isn't. Search functions and filters don't work. I don't know how to make an app but I'm pretty sure I could figure out how to make one better than this. This isn't an upgrade, it's a huge downgrade, and my shopping at Walmart has gone way down because the app just exhausts me.",1,17,1634652928000,"Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. We’re working on adding lists to the app soon. Meanwhile, you can still create and edit your lists on web. Please contact us at walmart.com/help for any additional questions.",1642636073000,Walmart +9e7a3032-56f0-4447-b35d-0836ab49f4b2,"This app sucks. It doesn't work very well, and all the third party sellers are Chinese scammers. The app doesn't even do everything, so it will often launch a browser for the things that it can't do, and then it gives 2 separate carts to split up the total and charge half again the cost for shipping, all the while bombarding you with ads to join Walmart plus for $13 per month to ""get the same prices as in the store."" If your app doesn't work, then who would pay for it to not work.?",2,54,1690411771000,,,Walmart +0cad1775-915d-4870-ad1d-011182c1317f,"New app version is HORRIBLE!!!!!!! Scanning for price checks fails on more than half the items I've tried, and the stores have removed the scanners they used to have placed around so you have to track down an employee with a scanner. The display of prior purchases has glitches. Can't check prices or availability at other stores. Searching within prior purchases doesn't work right. Adding receipts from the store fails. The list goes on and on. WHAT HAVE YOU DONE TO THE APP?",1,7,1632092594000,We are sorry to hear you are having issues with our app. We would love to get this resolved as soon as possible. Please contact us at appsupport@wal-mart.com.,1634240229000,Walmart +6e3b3336-a980-47db-b197-36f45bd398fe,"I cannot use this app for grocery pickup, only delivery. It keeps saying that my location is off in my settings, but that is incorrect. Also, the search options are not good. Especially when you want a specific item, it says not available, not even at 10 other stores in the area, but you drive there ten minutes later, and they have the item. Please fix the app!",1,32,1654587511000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with a pickup order while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1654831011000,Walmart +e7d6f3ee-14ca-4bd0-962b-3ea15b730f3a,"It pains me to give 1 star. Zero is the right answer. They removed instore shopping convenience! Previously I could get aisle number of a product I was searching. Now, during covid times, when I want to spend less time in a store (sorry Walmart, sometimes we must come inside a store), I am going around and around! Also you removed Walmart Pay! What the heck! It was so convenient to scan and pay. What is odd though is that the payment screens give that option! This app is totally messed up!",1,6,1589265732000,,,Walmart +f5c769ee-49e2-4884-aa0f-b33c92f6e362,"I love this app. It's great that Walmart is trying to compete with Amazon. Because it makes shopping that much more enjoyable switching from the Amazon app to the Walmart app. Very similar UIs, competitively low prices, and yet a diverse selection of products between the two. Not sure which one is better because they both have very similar perks to their membership offers. I'm happy they are competing for my business though because it works out to my benefit being an avid shopper with both.",5,51,1666663851000,,,Walmart +c167cc59-310d-4535-8bd7-75ec9001c525,The app was simple and functional before that last update. I held the line up because Walmart pay was missing and then I had to input my cvv # when I finally found it. We get rerouted to the desktop version when looking for our saved items. Also scanned a barcode in store and was told the item wasn't sold in that store... if it isn't broke don't fix it... put it back,1,7,1635030052000,We are sorry to hear that you are having trouble using Walmart Pay. Please contact us at https://survey.walmart.com/app,1644632467000,Walmart +6e93b33e-61a1-4716-ae31-9c82e4cdca56,"simple to connect, search and order what I need. not so happy about last minute ""unavailable"" items, but I understand my order is ""shopped"" at the last minute. totally dislike the hard-sell of their premium delivery service. Deliveries over $35 used to be free but now I pay an $8 fee +10% tip, resulting in what's usually about $15-20 for delivery. still, uaually better than fighting traffic.",5,64,1681935582000,,,Walmart +5e992582-f6ae-482e-bc5e-18b3806a6c37,"I used the grocery pickup faithfully every week for. Since the update I have not been a customer because the new app is so messed up. After a lot figuring I got my order put together but no times are listed, thus cannot put my order through. And.... I absolutely hate how, when I search, I get items that ship only? What is that about. I know they are on the shelf at the store. I have Uninstalled and reinstalled. Nothing works. So. Cub it is now! Walmart you blew this update!",1,6,1633594780000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1634215160000,Walmart +7b68bae7-4fdb-4db1-a9c9-c3d7ca945239,"this app used to be extremely helpful when in the store. I could look items up, and it works tell me where they were located, based on what store I was in. they took all that away. this along with the switch to all self-checkout, shows that they are not interested in making the shopping experience easier for customers. they are trying to push us all online and be like Amazon. Stop it! Walmart was fine just the way it was. instead of pushing me to WM online, you're pushing me to shop more at AMZ!",2,12,1665964698000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1666138774000,Walmart +a8bf8f63-cfef-48ec-ac12-541ed74f2446,"I'm going to review walmart grocery delivery. I've been having my groceries delivered for a year and a half. mostly good experiences. the cons are they don't offer everything on the site, for instance they will no longer allow me to buy a 2 liter bottle of diet pepsi. why? no answer. The drivers are of course out sourced so it's hit or miss if they follow your delivery instructions but you can at least change the tip. if u use PayPal, you cannot tip.",4,13,1695589254000,"Thanks, Laura, for sharing your experience with us. We’re sorry you’ve had issues with product availability within the Walmart app. Please contact us at walmart.com/help.",1695591134000,Walmart +da1170d3-8651-46e4-bb8c-b221e9403ec8,"I never do app reviews but I HATE the new Walmart update and needed to share. Everything is combined for online, delivery, pickup, etc so I am now constantly needing to remove items from my cart or choose save them for later in order just to make a purchase for a certain delivery/pickup option. And it is SO BUSY!! Before it was at least clean and simple, now it is just a mess. The marketing person for this app should absolutely not be in marketing and clearly has no sense of what people want.",1,39,1626333113000,,,Walmart +29c80d81-b784-4111-9699-96a0dcebffe0,"Used app for Walmart + early Black Friday access at the start time of sale. Tapped add item to cart but, it just kept circling round. I guess it wouldn't allow it because of the high online volume? It's online only and a year old program, it should've had any bugs worked out by now. When I backed out and came back in the page still had add to cart but, after tapping it the item was no longer available. It said sold out, try again later. I was persistent and after 15 minutes finally got it.",3,19,1667864174000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your issue with our App Development Team. Please provide with more info at https://survey.walmart.com/app,1667869039000,Walmart +c75b6ee7-6e7b-4275-9dd8-6ef92fcfb1bb,"The aisle location for in-store shopping was the feature I used the most. Making a list and sorting the items by location also saved a lot of time while doing groceries runs. They removed these features and now redirects me to my browser when I try to check my lists. Seriously, who coordinated this terrible redesign?",1,0,1627351008000,,,Walmart +ee5a9e36-294c-49fa-80ac-a26b97d628d0,"Can't do grocery delivery, tried the app since I'm having the same issue on the Walmart website but no luck. No delivery available for any local stores. I have contacted via chat and phone but nothing has been done. One rep said it looked like a backend error and it was escalated. But once again still not working. Walmart should not have changed the website or app. Now l'm stuck with a year nembership with no way to have groceries delivered! Also, bakery items are being placed in shipping!",1,0,1634442408000,We're sorry about the difficulties you've had! Please provide our Mobile App team with more info at https://survey.walmart.com/app so we can look into this further.,1641426397000,Walmart +c7b09fd0-7b43-4ed6-9179-11b504daba6b,"Not sure what happened, but over the last few months, this app became incredibly glitchy. It keeps crashing every few seconds and takes a few minutes to load if it ever does actually load. I used to do the contactless pay feature with the app and my Walmart card, but stopped because I can't get it to pull up. The last time I tried it, the checkout at Walmart said it didn't go through even though it showed it as pending so I had to pay with another card. Can't get either one refunded.",1,258,1672344625000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your issue with our App Development Team. Please provide with more info at https://survey.walmart.com/app,1672353044000,Walmart +69e1f0bf-57e8-41c6-981a-e9311fa66688,I don't even want to give the new app one star. It used to be so simple to order groceries for pick up. Now when I pick certain items I don't know if it's going to pick up or shipping. Everything is all mixed together. This is ridiculous and makes me want to shop elsewhere with other companies apps so I know for sure the groceries I want to pick up are easy to find.,1,4,1635890364000,,,Walmart +9104cdca-4040-4211-a331-ea5d4e1c87f8,"***Please Restore ""In Store"" Prices*** Previous to the new ""all-in-one"" update, I could scan an item in store and see both the online price and the in store price. *Extremely helpful* especially for clearance prices. Everyone knows the clearance racks are messed up, some items don't even have tags, have non-clearance items on them, and are usually not marked to the true clearance price. (FYI) Without the in store price scanners, employees are already getting frustrated.",2,12,1632707645000,"Thanks for sharing this with us, Jennifer. We’re sorry you’ve had issues using the scanner in the app. We’ve shared your experience with our App Development Team. Meanwhile, to get accurate prices while shopping at your local Walmart: Enable your precise location in the app. That way we can show you accurate prices based on which store you’re in. +",1635552538000,Walmart +f7ef99b3-b40d-44c5-befc-6989cd41db7a,"The app has changed and merged the grocery app with Walmart online..you can't easily find things, you put things in your cart just for it to tell you that it only ships or vice versa. Constantly resets Your search so you constantly have to filter for either shipping or pickup. You search for one thing and a million things come up that have nothing to do with your search keywords. I absolutely hate this app now.",1,22,1634029782000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues with filtering between Pickup & Delivery vs. Walmart.com. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly. +",1635354313000,Walmart +4661e263-56b8-40f6-85c4-c0c48ffab455,Used this app for over 2 years and loved it. But they changed the whole thing and it's awful! It wants your credit card # before you can do anything. NO! Then it no longer accumulates your savings so you can save and use at your discretion. It uses them as you go. You have to use the app to scan to grey a receipt; what if you don't have your phone with you? Even their employees don't like it. Wish I could give it a minus number. 😠,1,19,1542436639000,,,Walmart +f03b62da-1dd9-4642-b2b4-8156b7a6596e,"Has been fantastic. That said, new glitch where I cannot add anything to current order after checkout. Updating didn't fix. Also, drivers don't often pay attention to notes. Please don't give me the option for the latest pm delivery time if there is never a driver available. I'd rather it not be available, than count on it for it to fall through. Customer service, when I need to call, however, is ALWAYS fantastic!",4,106,1692649938000,"Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app. Please reach out to customer care at walmart.com/help for issues with fulfillment of your order. If you have feedback for the app, you can contact us at https://survey.walmart.com/app",1692650941000,Walmart +17884507-c8c4-4246-8db2-88bc4709bf44,"Walmart online shopping has gotten a lot better. I hate shopping in their stores now. The experience is stressful, the lack of checkout support is the worst of any major retailer, in the stores are just depressing. But, they're getting closer to the Amazon experience for shopping. One thing they need to improve upon is their return process. having to stand in that line at customer service where they have zero or one customer service reps. helping 30 people is also a terrible experience.",5,78,1695240360000,,,Walmart +0a0c76df-5216-405d-a3a4-cac4a940266c,"I don't like the updates; Neither on my phone nor on my laptop will it go to check-in. It sends me to shopping, period. Very poor design, and it makes the experience distasteful now, when before it was SIMPLE. Please either fix this or go back to the way it used to be. There HAS to be a check-in option for pick-up grocery orders.",1,1,1629064420000,,,Walmart +e33b6151-b57e-4253-9eb2-2fef95c5e93b,"I have used online shopping for years. There are a couple of things I would like to change back is the ability to put in my own price range for items I am looking up. also, it is probably a glitch when you search for an item and there are items in that look up that don't belong. if I am looking up adult clothing I don't want to see children clothing, for example.",4,5,1625769755000,,,Walmart +a9b70549-940c-4831-86f2-605ac0409b24,"Currently 03/03/2022, the app will not allow EBT card to be added to wallet. This is a new issue. I keep getting the ""Sorry, technical issue, try again later"" message. This has been the status since Monday, Feb 28. Tried everything to fix this, uninstall, sign out and in, etc. I need to order groceries! Please look into this. Now I can't open or use my cart, or set up a delivery time. Customer service said it may take 48 hours for tech to look into it. Thanks.",1,12,1646537043000,,,Walmart +0558a0df-2418-4ef8-9917-2a26a67a1de4,"The app is great. Very easy for a person with advanced rheumatoid arthritis to use. Most retailers, I have to fire up my computer and use their website. This app is well-done for people like me. Also, I also really like being able to scroll back a year or more to look up big-ticket items and items I bought at the store as well as through the app. I live in a remote area with limited retail and services, and having this app be user-friendly is a huge relief.",5,27,1669931592000,,,Walmart +4c982237-819e-44ab-a8b8-1f45d8f30f99,"This app is literally THE WORST now. It was so user friendly before all of these dumb updates. It's confusing because it tries to add items to your cart to be shipped, which makes no sense for grocery pickup. Also, the item list is weird now and won't just let you add anything from it to your cart. I'm not sure why these changes were made..it makes no sense. Change it back, it's horrible!!!!!!!!!! It makes me not even want to use it anymore.",1,326,1628763745000,,,Walmart +ae151e23-a002-48d9-8007-3e686d397942,"Terrible App. The previous one was much better. Nothing but a headache! Lumps food delivery and online shopping, other ordering together, creating a lot of confusion! Has a lot of issues with even opening up. I shop at Walmart all the time and this faulty new app is keeping me from a lot of needed shopping. And I pay the monthly subsciption fee for home delivery. Have not been able to open it in over a day. Walmart, please go back to separating online retail shopping from home grocery delivery!",1,10,1633609629000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1634232704000,Walmart +1c3b6783-03b8-421d-8baf-14ed35f2bc8e,"Massive improvement from the last time I tried this. I intstalled the app, tapped ""Use precise location"" (instead of ""Enter Zip Code""). Then entered the product I was looking for. A lot of the app helps you set up for a delivery or pickup (so obviously you wouldn't need the aisle number). But I was able to find that. (Really, that should be the first thing at the top of the results page.) I also saw an option for time frame - Today, Next Three Days, This Week. I choose Today. Great app! 👍",5,37,1654312207000,Thanks for using the Walmart app! We appreciate you taking the time to rate us!,1674699683000,Walmart +6f394a7f-7ab7-4166-8c9d-0386b06d3934,"Used to eork great. But lately, there is LOTS of problems. Clicking on several options (like editing substitutions) just gets an ""Oops! Something went wrong. Try again later."" Or ""Our system is exoeriencing difficulties"" These issues have made the app pretty much useless. I have been having to use my PC to get any business done with Walmart online.",2,25,1616110600000,,,Walmart +0b84d4db-9b59-41e9-8f0c-5ba28e0b78bf,"I used to really like the Walmart app. It WAS easy to use. The new update is horrible. You can't search other stores to find if an item is in stock. Pharmacy isn't in the app anymore and harder to find. It's harder to find locations of items in store because nothing shows in stock. I could keep going, but I think you get the idea. I would rate less than one star if I could.",1,9,1635199485000,We are sorry to hear you are having issues using the Pharmacy feature within our app. We are in the process of rolling out a better experience and in the interim you will be directed to the webpage to complete your Pharmacy order. Please contact us at walmart.com/help for any additional questions.,1645568934000,Walmart +64fae61a-a5f4-42c3-8f8e-811243c76660,"The new app is rubbish. Trying to navigate and see what is available by location seems impossible. I can no longer sort the search results in a way that is helpful. Sadly on my phone it if I use the website it redirects me to the app no matter what. I don't see myself placing orders anymore, it should be easy to find what I want and it's not.",1,14,1627247349000,,,Walmart +cd71f962-0b23-40a4-96e2-e11571527d50,"The new beta app is terrible, the areas I use all the time are gone. Prescription refill scanner is gone. Price check scanner is gone or moved. To refill scripts it sends you elsewhere, makes me think I have been sent to a bogus site trying to steal my account information. You really out did yourselves in trying to screw up a decent app. There is no navigation or help screen. This beta version should be trashed, it is junk!",1,0,1631944315000,,,Walmart +a81aab6d-3a40-4548-974c-a79570f24956,"Update made it unusable, my most ordered items switched to ""not available for curbside,"" it lags, and the favorites tabs have disappeared. It now has this ""next"" system and its total BS + unusable. Several ""favorited"" items have disappeared, when I look for them again it adds it a wishlist which isn't what I wanted. It was originally nice seeing all the things I usually order in one place, very efficient. Now its a whole ordeal every time I go to order. Super frustrating.",1,3,1610000046000,,,Walmart +d52b2ce9-a296-42db-9ae8-9feab322470a,"The updated version absolutely sucks, can't share from it, can't save to wishlist from it can't actually purchase from it. Everything sends you to the internet and then still can't add things to wish list.... hate to see it when Christmas shopping starts won't be able to get anything ordered.... go back to the old version was so much more user friendly",1,3,1634110232000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly. +",1635532643000,Walmart +9d654b31-214e-4b97-a845-4897229c04f3,"Random cancelations of purchases after I moved. New credit card. Doesn’t care. Make new account? Nope, associated with old ohone number, looks suspicious. No purchase. I will not buy a new phone just to buy a game. Order was not ready within 8 hours of setting it. Ended up buying the item twice. Just buy your things in the store, this doesn't save time and can cost you. Also disappointed with its lack of integration with google pay. Had to enter in credit card information just for Wallmart.",1,18,1701254290000,"We understand your frustration, and we apologize for any inconvenience you've faced. If you encounter issues with order cancellations or payment methods, it's recommended to reach out to customer support directly at https://www.walmart.com/help.",1701259411000,Walmart +3fce41e7-955c-411c-b3b8-f8d4ea29a853,"This new update is RIDICULOUS! I've shopped at Walmart exclusively for the last 2 years using the app for store pickup. NO MORE Walmart!!! My business will go to Krogers and Super 1. Update SUCKS! The design is no longer use-friendly for ordering for a local store ""pickup"". It's complicated and messy!! It seems the intent of the update was to combine all of the store & internet purchases into one cart, but it's bulky & confusing!!! Go back to previous version!",1,2,1631502276000,,,Walmart +f3ac7a00-4d73-4067-934e-c1ed636f1cf9,I have always used the pickup/delivery option long before the COVID pandemic due to having back/knee disabilities and have praised the service. Since the pandemic things are always missing upon delivery and it makes it hard when you planned a meal based on that grocery list and the meat is missing but you got the sides! Then you have to order $35 or more to try and replace that. It is starting to become frustrating. I may have to try another store for grocery delivery for a while.,3,4,1616966589000,,,Walmart +7c08970f-6c4e-4a9a-876f-914a938520f2,"I love the one stop shoppng ticket. Kudos! Now to a major issue for buying clothing while using the updated app: There is no sizing guide for people to go by. This causes a situation where a shopper is not given accurate data in order to determine an informed spending of money. To see if this error is across all groups, I shopped in all clothing departments, and all I see are future issues of returns, payments reimbursement, and over all lack of customer satifaction. This could be a quick fix.",3,0,1631592376000,,,Walmart +87dc4d37-78fb-4620-b5b1-3b8fdbbfae68,"Love grocery pickup and have been using the service since it started! Just wish the app hadn't merged online items with grocery pickup - it makes shopping way more confusing when trying to keep track of what is online vs. in store. Also, I still miss the dedicated Favorites section and don't like how every single thing I have puchased ends up in ""My Items"" - not everything I buy will be a repurchase so Favorites was way more convenient.",4,11,1638964174000,,,Walmart +43d56ddb-4ab1-4e97-b8af-0b1f39bad9fc,"This app has become useless with the latest update. There is no way to just look at grocery items, nor tell which items are actually on grocery pick up versus internet items. It can no longer even be used for grocery pickup.. It also does not sync with the website. I added stuff to my grocery cart online and my cart on the app is empty. It was pretty good before the update and now I have no use for it whatsoever.",1,2,1627443679000,,,Walmart +9da6ef69-dab4-4e02-b3c3-071eded30d37,"First time to order online from Walmart. Great experience! 3 deliveries needed to complete the order, with the first being the day I ordered and the next 2 before the scheduled dates. Text messages were sent along the way. This was sooo much easier then going from one Walmart to another to try to find what I wanted. Thank you.... You've converted an Amazon customer!!!",5,2,1680732467000,We appreciate your review and kind words. We are so glad our service could help you! Thank you for shopping with Walmart!,1680833524000,Walmart +a7b1abde-d1b0-4d04-bd8f-aa14c7ed4cea,"Why did you ""fix"" what wasn't broken? About four years ago the app was just right. Even then, you had groceries and all other departments combined, so that's nothing new. You had ""Categories"" that made searching easier. The shade of blue was deeper snd easier on the eyes. Overall the app was visually appealing and user friendly. Why did you change it?",2,101,1642370910000,,,Walmart +b5f9f903-41de-4252-a4a7-ee9367bc5fc8,"This app is ok. With all the issues that Walmart has given me inside and out of online shopping, I can't say I expect much more from them... When they're out of stock on an item, they won't list it as such until you click on it. Makes grocery shopping tedious when you need to click on every single item just to see if it's in stock.. As far as online shopping, I've had issues w/ people tampering with my items before sending them, or sending me items completely different from what I ordered....",3,3,1587341447000,,,Walmart +e6db836e-bbff-4d9b-8c39-24ac4ef9a948,"This app's GUI has improved quite a bit. W+ service is well worth the cost in my opinion. The substitutions are usually great, you can also opt out of them. The drivers tend to deliver the goods neatly and are attentive to fragile items. Sometimes orders are late but it doesn't bother me much. It is easy to track your order through the app also. Has overall been quite a pleasant experience.",4,64,1617616867000,,,Walmart +7ee4a7e3-698a-447e-a0f6-f3c64474269a,"On my Samsung device it only works in Portrait mode and then I can only see half of the Selections on the right. Please fix this So I can use It in Landscape mode and actually see what's being offered. I do however love the ability to choose favorites. ALSO, Walmart seems to be much better organized than other stores. The substitutions are often better than my Selections. They're right on time with my delivery.",3,25,1607980900000,,,Walmart +f1a32217-2154-419f-babd-89718f361892,"Sort and Filter stinks. Good pricing on most everything but if you want to find something to do with 3D printing, watch for the price gouging. Some people don't, and I'm hoping the customer service is as good as their price. The only reason I took a star from Walmart is they surely know that stuff is marked up double from another main online retailer.",4,3,1656830117000,"Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. Please reach out to customer care at walmart.com/help for issues with pricing issues. If you have feedback for the app, you can contact us at https://survey.walmart.com/app.",1674711393000,Walmart +1e113106-8cda-47fd-8ce3-ee8e05caad67,"Last update took this from 4 stars to 2. The app now has so many features that it hinders your shopping experience. It made it harder to shop from MY store. It wants to ship everything to me from all over the country. Why would you ship me a box of fruit snacks from California to Iowa when my store shows them in stock? I just want to shop my store and pick up my items. Now everytime you search something you have to select a filter for ""in-store""..... each and every time for every item.",2,3,1626510407000,,,Walmart +f4bd1773-f757-427a-be40-8862a6ce1e21,"Currently useless for using with pickup orders I mainly used the app to check in when picking up curbside orders. But since the system changed to incorporate all online orders (pickup and shipping), weeks ago, it's useless. The app has not updated to the new system. Still has them separated out. And neither side will even acknowledge my recent pick up orders. When I started an order on the app, and tried to finish it on my computer, there was nothing in my cart. Useless",2,1,1630042440000,"Thank you for sharing your experience with us. We are always looking to improve the user experience. Please contact us at walmart.com/help + +",1630361927000,Walmart +46ead304-fa65-461f-929d-9cc7afc488ee,"Made me go through that ""I am not a robot"" photo picking thing 9 times when I first started the app, then the first time I try to actually use it at the store, it makes me do it again. After 10 successive pages of different images, all of which I had done correctly, I gave up and deleted the app. That is ridiculous.",1,11,1536890692000,,,Walmart +7c326e29-765c-4726-8b8a-3f7d1c7bb64c,"Not a terrible app and I mostly use it for Walmart pay but it seems like anytime there's a solid feature, months later it'll be gone. Use to see what aisle an item was stocked at. Now, not a chance. Use to have a map of the store you were in and they eventually took that away as well. Kinda miss when the grocery/in person shopping app and the online shopping app were separate. Seemed to go downhill pretty fast after they merged the two.",3,0,1621770309000,,,Walmart +09d2bad7-76de-409e-9f24-84fa1f1e8580,"You took a good app and turned it into a frustrating cluster f$%k! Why would I want grocery items shipped to me and arriving days later, when I'm planning a dinner for that evening? You guys REALLY dropped the ball on this one. No one likes what you have done. I'm assuming the only reason this change was done, was for Walmart to make more money? No, you will be losing money, because people will go elsewhere to get their groceries and personal items.",1,3,1632683701000,"Thanks for sharing your experience with us, Laura. We’re sorry you’ve had issues with filtering between Pickup & Delivery vs. Walmart.com. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly. +",1635466868000,Walmart +db4aa367-0da6-401d-8e2e-8c2a5cc707ec,"The new update was bad enough in almost every aspect. I stopped using the app and would use my lap top because the two would not sync and the web page was still the old way and still easy to use unlike the updated app. Well, today I go to use the web site and it has now been updated as well syncing with the app and making it as rediculous as the app. I do not understand why they are not paying attention to ALL of the recent reviews of the update. Everyone is saying the same thing. Not good!",1,1,1631266707000,"Thanks for sharing this with us. We are in the process of rolling out a new and improved app experience. We're rolling features periodically and native list functionality will be coming soon. Meanwhile, you can create lists on the web or add items to the cart and save them for later. For assistance, please contact us at walmart.com/help",1633203751000,Walmart +adbb660f-cb84-47a5-9f02-d4aa0fe32797,The only good thing about this app so far is the barcode scanner. Using it to order groceries for delivery or pickup is like taking a gamble on whether or not you will get the items you actually want- either the item will be out of stock or the substitution will be disappointing. There's usually only one option to choose as a substitution and you can't add a note or choose which specific item you want instead. I'll stick to shopping in-store myself until the grocery shopping feature is improved,2,10,1608497802000,,,Walmart +0bb38b2e-a937-490c-b2dc-ecef65462deb,This app gets worse with every update. Prices sometimes do not show up unless you drill into a product. The option for substituting items is now more or less useless. You used to be able to select no substitutions for all and then enable substitutions for the few you don't care about. Now you have to manually edit each one individually. Don't get me started with trying to order stuff. All gallon and .5 gal milk shows out stock for ALL stores. But I can visit a store and they have plenty.,1,1,1664832079000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues with item substitutions for Pickup & Delivery. We’ve shared your experience with our App Development Team, they are working towards bringing back this important feature! Please contact us at https://survey.walmart.com/app for any additional feedback.",1664834296000,Walmart +8d145e5d-3ddd-4594-a8fa-4a64e5bdc0cd,"So far garbage. You can't even open things on your grocery list to take a closer look you have to go and search that item again. They act like this merger was supposed to make things more seamless, but so far the app is janky and unintuitive in design. I already hate it and the functionality. You need to make it easier to look at and modify your list. Im hoping since it's new some of my issues are bugs... but i also cant add all the amts of items that i need. So thats weird and bad. Please fix.",1,25,1591217110000,,,Walmart +d3f9c88c-d23b-4976-b73b-5dc1bc96db21,The AI or algorithms have NO WAY to correctly decide how a Customer may want to acquire a purchased item. Removing the ability for the Customer to decide is a foolish design decision and should be reversed. The new app experience is not a good one. One thing walmart had over Amazon was the choice to pickup something and now that has been removed. Maybe someone could focus on filter and search which have always been implemented poorly by walmart. Put the Brand filter back.,1,0,1631760437000,,,Walmart +01fa3d10-9c29-445b-a420-eba2d58e439e,The app recently update. My save for later section is completely gone. I have looked everywhere for the items I had saved. This is so very upsetting because I had saved many things to purchase over time for my children's Christmas. Now it is all gone! This is beyond unacceptable. I am so very upset by this I can not explain it. This needs to be fixed. The old app was perfect! I dont understand why they changed it. Very upseting.,1,55,1631237839000,Thank you for taking the time to write this review. We are constantly reevaluating our design and always trying to create the best experience we can. Please contact us at walmart.com/help,1633055452000,Walmart +bb5b7241-84e0-44c4-81af-2381115c3e13,"gotta always search for rollbacks on Walmart app. then you really save. I've stepped away from Amazon recently for various reasons. 1). New prime membership fees, 2). Long shipping time if you're not a member, 3). We go to Walmart weekly so returns are easier than Amazon. 4). Price is nearly the same for many items and much of what you need is in the store.",5,2,1676963168000,We're so glad you love shopping with us! Thank you for using the Walmart app.,1676962298000,Walmart +6c38a471-14af-46ef-b4a6-cb833427137f,"Ughhhhh .. worthless! Downloaded this app for maybe 20 minutes & its trash can time as soon as this is written. Horrific presentation of item! If I click on an item, I'm wanting to read the description and know the details of that item. There shouldn't be a whole extra search for what I'm interested in ...!! Keep it simple and straight to the point. Don't make me swipe through 10 more things down the page before seeing what I want and then having to request to see it after I found it.. wow",1,2,1579508812000,,,Walmart +a1154f1c-fcef-4ad7-a931-709ff25d7d8d,"The Walmart app is really slow, and doesn't always do what it's supposed to do. It has taken me 2 hours to just find and order the things I bought today, and most of those things were reorders because I couldn't find the items on the app. I appreciate the delivery service, but I don't use it often enough to keep the monthly subscription. The delivery drivers and personal shoppers are heroes, though!!! Those folks get ALL the stars from me!!!",3,19,1621829126000,,,Walmart +9975dae4-1d0f-422f-b9a2-521fe3c2159b,Update:Great. Now with the latest updates i can't scan anything. Product not found. And if i type in the upc it just spins.... update was pointless and sucks. Just higher ups demanding change for the sake of change. And it causes issues. Its more confusing to use and now in store doesn't even show in store! I have to downgrade the app to actually use it to assist customers!!,1,18,1652495745000,Thank you for sharing. We are rolling out a new app. We're updating the barcode scanner feature for price checking items. For accurate prices while shopping at your local Walmart: Enable your precise location within the app. Then we can show you accurate prices based on which store you’re in. Contact us at https://survey.walmart.com/app,1654210088000,Walmart +26832abc-de28-41c6-b8ff-cc6d750bcf40,"This latest update has made the app almost unusable. As others have said, the favorites list is now ""buy again"", but it won't load, and keeps jumping back to the pantry. The new 'lists' are supposed to be sortable, but are not. It constantly glitches, lags, and randomly shuts down. PLEASE put it back the way it was! The favorites list needs to come back.",1,166,1609974333000,,,Walmart +30bf8233-937d-4eb5-9e31-f8449772bb8d,"Never had a worse experience, the curbside pickup is always a pain, the inventory is not correct, I've had to cancel orders more than once. It's always a terrible experience to check in to pick up, end up waiting 20+ minutes and asked multiple times the same information, my order is not showing as placed and it's not really user friendly.",1,0,1678334007000,Thank you for voicing your concern about our Online Grocery Pickup service. We would love to get more information into what happened. Please contact us at walmart.com/grocery/help,1678388461000,Walmart +fdfdba92-df17-4dce-815f-705f664c597f,I have been a user of the Wal-Mart pick-up for several years and had absolutely no issues. This is the first time I have tried to use this new app since the old one merged with it and it is ABSOLUTELY horrible. The app lags so much I had to stop attempting to add items to my cart. If this doesn't change I will not be using it. This use to take me on average 15 to 25 minutes to complete my order but now it is so frustrating I had to stop. PLEASE fix this or go back to two separate apps!!,1,3,1602105009000,,,Walmart +37d7a3f9-84ae-4907-a7e7-51b309e5d063,"Walmart really needs to look at the Amazon app, & try to copy it: Amazon is easy to read, follow, & use; with plenty of info on every product they sell, & if some info is missing, you can ask them by messaging & get a quick answer. Shopping is a breeze on both Amazon website & app. In contrast the Walmart app (& website) is a hot mess of haphazard layout of minimal info & having to choose an item if it's ""delivery"", ""pick-up"", or ""shipping"". (Some cannot be shipped (Why?)). It's a madhouse!",1,16,1640639130000,,,Walmart +03f6a054-55b3-4576-9ffc-da258eb1dcab,"Why is this app so bad? It freezes constantly. It crashes occasionally. When it does crash and I open the app, half of my grocery items are missing from my cart. It's not bad enough that it freezes so often that it takes me hours to complete a grocery order, but it has to crash and lose half of that information too. This is awful! A corporation this size should be able to make better apps than this!",1,5,1604847118000,,,Walmart +c22b0315-61d8-43d1-80f8-5584e06526f4,"Really great service, but wow is the app a mess. It slows to a backward-crawl every time I am preparing an order, so that sometimes I wait almost a minute after pressing a button for any response to register (and sometimes the item still doesn't get added to the cart, or sometimes it's added twice instead). The ""tell us which spot you're parked in"" after arriving for pick up makes for a comical game of ""press the number and the color at least 45 times and see if it registers this time or not"".",2,6,1618087578000,,,Walmart +ea9bf959-c6f7-4f76-bb36-52d840e8c664,"They seem to have forgotten that they used to have a way to look at/add things to your wishlists (just called ""Lists""), that's been since removed from the app. The only mention of the Lists are in the account settings, and that takes you out of the app to Walmart . com in the browser. Really lame that this feels like a downgrade in many ways.",2,1,1632368776000,"Thanks for sharing this with us. We are in the process of rolling out a new and improved app experience. We're rolling features periodically and native list functionality will be coming soon. Meanwhile, you can create lists on the web or add items to the cart and save them for later. For questions, please contact us at walmart.com/help.",1634931519000,Walmart +3c0afb24-8c8b-43dd-962a-93776bd1c25d,"The new update sucks. They took away the store map, so telling you what isle it's in isn't overly helpful if you don't know where to even find the section. And the items are labeled as somewhere they're not anyways, so it doesn't matter. They also changed walmart pay and it no longer let's you see /select which source of payment you want to pay with that's linked to your account. Please bring back the old design. The new one sucks",1,0,1631885570000,,,Walmart +2d22ea8a-4a2e-484b-95c8-bad9cbb5d5ab,"I haven't been able to use this app since July! It runs horribly slow! I use the website which works wonderfully, but the only way to check in at pickup is through the app! Because I can not get the app to work properly I can not check in because the website and app do not sync together. The app shows nothing about my order! This can be a bit aggravating when I get to the store and then have to wait for someone to come check in with me because they are not being alerted by the app!",1,0,1630963707000,We are sorry to hear you are having issues with our app. We would love to get this resolved as soon as possible. Please contact us at appsupport@wal-mart.com.,1632522706000,Walmart +22e45cdc-3a24-444f-9ffc-e05b546d095a,I like this app it is very easy to use I'm glad that they added the save list feature back into the app. What I dislike about the app is that it don't have any free shipping options if you are not a Walmart plus member. I like the old version app better it had more shipping choices and more sellers available if Walmart was out of stock on a particular item.,4,38,1650335449000,,,Walmart +0527aa2e-d49b-4a5c-9484-1885e61f8d77,"This app needs to be returned & full refund issued. I had items in my cart that I needed. Couldn't order from here. Went to Amazon instead! Went to local grocery store for pick up of my weekly groceries. Tried to make a shipping order. And, the website tried to split the order & then charge me a shipping fee(because split order was less than $35) Cancelled it immediately! Let us decide whether order is to be delivered! Does Wal-Mart have any idea how much $ they are losing & it will continue!",1,2,1636169389000,,,Walmart +64b50551-f191-42bb-94db-b149e555b85d,"Absolutely frustrating to use. Items that are in stores frequently do not appear in the app. Finding preferences menu is confusing, it only exists on one of the bottom tabs. Kept running into failing to fetch payments and payment not valid issues. Turns out I wasn't signed in and couldn't update my expired payment info at the cart. That's all fine if Walmart just told me but I had to guess to figure it out. Should definitely be a way to empty the entire cart at once.",2,1,1629152567000,,,Walmart +27aadc92-e390-46ae-bc45-247629df9b6e,"First time trying a pick-up and the check-in option is failing due to a ""technical difficulty"" they are trying to fix. No backup way to check-in available either, so I can't even pick-up my order. It's been 4 hours now and I need the order for a bday present in 30 mins! Tried going in store, but the item is not stocked on the shelf either, so I can't just cancel and buy it directly. Complete failure of the system.",1,141,1647126114000,,,Walmart +30bd5bf8-796e-49a5-a5ec-7cd0a675b5ee,Terrible update!!!!! Whomever designed the new update or whatever should be fired!!! Its basically junk. Nothing works on the app properly. Looking for an item..can't do that. Want to make a list for certain categories...can't do that either. When you wanna find where an item is in the store...can't do that either. They took all the price scanners out of the store and say use the app but you can't do that either. Just Junk. period. If its not broken quit trying to fix it!!,1,35,1633399663000,"Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. Please reach customer care at walmart.com/help for issues with fulfillment of your order. If you have suggestions for the app, you can drop us an email at appsupport@wal-mart.com",1634646051000,Walmart +523310c7-6e16-4ccd-a3de-e2390c4ea18d,"I despise the most recent app update. I can't save things to a list, I can't easily create a pickup order, I can't easily create a shipping order. It gets jumbled all together. Not user friendly at all. Whoever redesigned the app clearly didn't use it before releasing the update, otherwise, they would've left well enough alone. Hate it!",1,13,1632212747000,Thanks for sharing your experience with us. We’re sorry you’ve had issues navigating the Walmart app. Please provide our Mobile App team with more info at appsupport@wal-mart.com,1634856612000,Walmart +55821850-e422-4558-985c-89cf957b11d9,"I have the year delivery subscription, and it's ok.... I've had orders not show up, asked to cancel orders, they don't offer some things that I know the store has in stock(been in the store and compared,) very rarely get updated on my phone when I always ask for it to be. when I've called customer service a few times they said they would credit me a few free quick deliveries for my troubles, but they didn't follow through. I will say some of the subd items are better,and with my anxiety its nice",1,13,1641864550000,,,Walmart +ac296b05-5df0-43e6-8ce7-c1fd7f3cfbb1,"This is horrible. I gave it a chance.. It is not user friendly and it doesn't have same options, like searching the nearby stores for availability. I have to keep switching my main store. The W+ items show up as if they can be shipped or picked up in store, until you get to the checkout screen. This sucks!!",1,0,1633018053000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with filtering between Pickup & Delivery vs. Walmart.com. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1636729880000,Walmart +e16a61aa-71fd-4b41-9b06-16cee9f8d280,"I have had the Walmart app for years and I got a new phone and redownload the new updated Walmart app and although it might have some awesome new features; the main feature many people using the app like, is the PRICE SCANNING tool and now it does not work! You can't scan items that are being discontinued, seasonal items or clearance items. I couldn't even get regular products in the wrong spot to scan to show me the price. I'm extremely upset and if it doesn't change I won't shop there anymore",1,0,1632255920000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the scanner feature in the Walmart app. We’ve shared your experience with our App Development Team. Please contact us at appsupport@wal-mart.com,1635202929000,Walmart +f9d77680-a379-44dd-bc7b-74b417926e99,"Editing for clarity.. what Justin said below..fulfillment options are all over the place.. some delivery, pickup or shipping. You will wind up with an order with all 3. Okay I will pickup...you go and they don't have it. Also, continous scanning that was added is clunky and not as fast as before so I don't use scan and go as often. Also wish there was some sort of integration in store so employees don't think you are stealing. I have been practically yelled at and had people on my shoulder.",2,6,1637786041000,"Thank you for sharing your experience with us. We are in the process of rolling out a new and improved app experience to make shopping easier. Please reach out to customer care at walmart.com/help for issues with fulfillment of your order. If you have suggestions for the app, you can drop us an email at appsupport@wal-mart.com",1637767912000,Walmart +b0611673-db0e-416f-ae29-0cbc0beeb346,After update it doesn't serve the purpose I needed it for. It is completely useless. Will be uninstalling app. Seems very fishy that along with this update Walmart has also removed their price checkers in store. It's just makes it easier for the customer to get ripped off. You dont know what something is going to ring up as and when it does if your not paying attention you will pay the wrong price. Just a complete rip off.,1,1,1631481855000,,,Walmart +a25f48ec-ed82-4ed7-a27e-cfc095e9580b,The old version app worked great. It worked with refilling my RX. Now you have to got to the web or their other app which sucks just as bad. The app is hard to work with. A simple search is so complicated its not worth the effort to even use it. Just ask someone that works there. Its a lot faster. We will be ordering from Kroger and HEB when we are in their areas. They BOTH have easy and efficient check out. Bless you and yours!,1,2,1649798188000,,,Walmart +cfa83128-2e27-4440-84a3-9f06b998b242,"Stop messing with the app. I hate this new layout. The layout was fine, now you can't share from item page, it's basically a popup window within the app no ad to wishlist option anymore. Not use friendly at all anymore. Not since yall rolled out the Walmart+ into into the app. The barcode scanner doesn't work half the time (usually saying the product couldn't be found). Then the inventory info is absolutely atrocious.",1,12,1636954858000,"Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. We’re working on adding lists to the app soon. Meanwhile, you can still create and edit your lists on web. Please contact us at walmart.com/help for any additional questions. + +",1637931613000,Walmart +04c0de2d-b8bb-4169-9f0d-eda2f91699fa,"Decent App. They could be a little more accurate with their inventory so that you don't have to approve substitutionsn when shopping for groceries online. The problem with the substitutions that you don't find out right away that there are substitutions. You find out later on and you may or may not like what his substituted and you can only change an order up to like 12 hours or something before it's time to pick it up. Otherwise, it's been a pretty good app.",4,0,1627358078000,,,Walmart +5ed325ed-e88e-4cf7-821d-2184b22556c0,"the substitution part sucks too slow app kept cutting out so had to keep wsiting took nearly 45 minutes just to do the substitute and check out!!!! I am handicapped this is only way I can shop. food lion is closer, selecting subs very easy, no app problems, just mote expensive. I suffer from a lot of things so I can't take this stress. please fix! have shopped there for 20 years. this part of new change is awful.",1,2,1675417554000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues with item substitutions for Pickup & Delivery. We’ve shared your experience with our App Development Team, they are working towards bringing back this important feature! Please contact us at https://survey.walmart.com/app for any additional feedback.",1675439613000,Walmart +433f54bd-f5c2-4030-af1c-e8d88ce21d96,The update doesn't work. I went to place my grocery order and the app did not work. This update is awful. I prefer pickup separate from shipped stuff. Why combine the two? Why make shopping more difficult? I couldn't even checkout. Had to get on my ipad and re-enter Everything there. That app isn't updated yet. DONT DO IT. The update is awful.,1,2,1632420851000,"Thank you for sharing your honest feedback with us. We sincerely apologize for the issues you've encountered with app while trying to place a Grocery Pickup & Delivery order. Your feedback has been shared with our App Development Team for further review. If you need further assistance, please feel free to contact us at appsupport@wal-mart.com +",1635027242000,Walmart +49059fcc-f9c1-4b3e-bd3a-0764f5fd8208,"Inventory information has a tendency to be wrong about what is in stock at a given store location. This has led me to waste a ton of time and gas driving around to different locations looking for what I need. Sometimes the pictures of items do not match the description or name of the item leading to mass confusion. App freaks out and crashes when I turn off location tracking settings which is just invasive, and gross. I hate to say it, but It'll never be as good as Amazon.",3,303,1674359415000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with product availability within the Walmart app. Please contact us at walmart.com/help.,1674076222000,Walmart +46b5710b-8a4c-4765-8c18-c571334fa5b5,"Good luck if your actually want to use it for a price check, the scanner hardly gives you the price for something in store. Forget it if it's a sale or clearance item, they got rid of all the scanners in store and left you with an app that kind of works. It no longer lists what is at other nearby stores and is a pain to switch stores you are checking. The in store filter is no longer a button at the top and resets with every search. Only partial keyboard function and you only get the first word.",1,33,1637953501000,,,Walmart +8d4a09c6-5b81-4c6d-bb66-7a19cadaa43d,"I have tried downloading this app multiple times with my Samsung phone. I have restarted my phone. My phones software is up to date . This app will not open!!! I had hoped to use this in the store because for some bizarre reason they have removed all the price scanners. Personally, I am not a fan of surprise high price items at the self checkout. Then it's a nightmare waiting for someone to come and do the override to remove the item.",1,55,1642397037000,,,Walmart +58770829-e75b-4620-96f4-cad74f1d3843,"Wal-Mart+ is great when it works, but highly inconvenient when it doesn't. I have had some good experiences, but I've also had items missing and delivery orders delivered to the wrong address. They are happy to refund missing items, and they gave me a $15 off coupon for my next order for the one that was delivered to the wrong address, but I ordered for a reason and a refund/coupon doesn't make it any less convenient. It would have been nice for them to resend the missing items/order instead.",3,17,1655776374000,Thanks for your feedback. We’re sorry you’ve had issues with the Walmart app. We’d like to know the details of the problem you mentioned. Please provide more information at https://survey.walmart.com/app. We'll pass it along to our development team and see if we can fix this technical issue. Thanks!,1656034729000,Walmart +ba05fb81-925f-4347-8d0f-ed10eac9911d,The app is great but they never have everything if ordered from the store for delivery so I always have to use the shipping option which takes longer to be delivered. I also hate paying for shipping so that makes you want to pay the monthly fee to just get Walmart+ so you can get free shipping. But if you don't order regularly the price for Walmart+ is too expensive and not really worth the monthly cost. And it's more annoying that you don't find out what wasn't available until after you've paid,3,1,1692073071000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with product availability within the Walmart app. Please contact us at walmart.com/help.,1692075173000,Walmart +77efb6e1-2df1-4466-baba-7f28bb429cc1,"WORST APP EVER!!! Every single time I use it, it starts lagging VERY bad to the point that I lose my time slot for pick up. Every single time. SOOOOOO slow!!! I am deleting the app and will never use it again. Done trying. I did 7x. Im good. Waste of time. I would NOT recommend this app to anyone. Just my opinion and warning others.",1,1,1637291297000,"Hi there, we are sorry to hear that the Walmart app is not loading properly. We suggest you try a forced close or shutdown of the app, and then re-launch it again to make it work. If you are still experiencing loading issues, please contact us at appsupport@wal-mart.com. Thank you.",1637774381000,Walmart +efad7628-a000-4329-a485-50f96464b47c,"I love shopping from the Walmart app. However, the last time I did it, it was super simple to place the order but then later was told the item is out of stock. No replacement suggested, I was just told I would get a refund. Too bad they don't have the option to email you when the item is back in stock, but not to charge you until it is.",5,1,1674450414000,,,Walmart +ade70b7e-8660-4d0e-9c51-f843e29dc3bf,"I have had no serious problem in the past with merchandise shopping ( I don't use the food part). But recently it freezes when I try to open it. It an option to close because the app isn't responding, which I've had to use. I don't think I've been connected in the past week. I checked for last update which was July 30th. Could this be the problem. I've deleted the app. And will reinstall to see if that works. I have really liked the app in the past. Thank you.",3,1,1597182388000,,,Walmart +b2a9f6b7-582f-4128-87a7-78e3819b433d,"It's a good app. Walmart app is easy to use. Better to use if your a Walmart+ member. Walmart+ includes Free delivery & a free subscription to stream Paramount+ & more. Unfortunately they'll sometimes be out of stock of an item (not all the time) & offer substitutions but you could select a substitute or ""no substitutes"". You get to select a delivery time to make things convenient for your schedule. Returns & refunds are easy to do also. I'm happy using this Walmart App.",5,6,1674720332000,We appreciate your feedback about Walmart+. We are so glad you had a great experience. Thank you for shopping with Walmart!,1674983311000,Walmart +cc058818-da6f-4db3-ba84-4ba05d3e9df5,"This update is horrible! I cannot order anything from this app. It will not load my order when I hit ""add"". Absolutely nothing happens for at least a minute afterwards, same thing happens if you want to order more than one of an item. I can mask up, go to the store and get it done myself a lot quicker than trying to order anything through this app. I'm uninstalling. It's useless.",1,46,1609282400000,,,Walmart +34b07b5d-56a3-49be-aad0-09d4c9f11935,"I thought I placed order (for one high dollar item), but then it kept asking me to input my credit card.After 2 or 3 attempts with one card, which should have gone through the first time, but never did, I gave up and tried another card- over and over and over again, with this card also! My order finally, I hope, seemed to go through.This was a very frustrating experience, and I am experiencing tears of frustration at this time. I would think that a one item order should have been very simple!",1,27,1669178787000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your issue with our App Development Team. Please provide with more info at https://survey.walmart.com/app,1669256915000,Walmart +a73e968a-02de-48a0-82bb-1ce36d0c9576,"This app is now so hard to use. It's user-unfriendly! Why change it? Now I have to look up each item individually to make sure it's in the store or else I get to check out & half my order is being shipped. Even though it is in my store. I try to move it to cart & receive a error message saying something about not set up to use the registry. Crazy. I'm over this so called ""convenient pickup"".",1,96,1627771209000,,,Walmart +f99b8fb6-11b4-4271-a176-fc8cd40be43d,"Just bought a piece of electronics at Walmart and got the 2 year protection plan. Noticed the recommendation to save the receipt with the Walmart app. Sounded like a good idea, since most electronics dealers seem to use the ""magical disappearing ink"" on their reciepts these days. After 15 minutes of searching through the Walmart app I finally found a mention of the save your receipt option. It said I needed to download the Walmart app (which again -- I was using at the time) to use this feature.",1,1,1664258858000,We are sorry to hear you are having issues with our app. We would love to get this resolved as soon as possible. Please contact us at walmart.com/help,1664494120000,Walmart +7fd5483f-915a-4152-b59b-785fc2bf3d47,"Not pleased with the update. It's terrible. Grocery pickup used to be so easy and ever since they updated the app the Grocery pickup and online orders are integrated, making it hard to shop. Especially when you put items in your cart that you normally get in store, but instead they want to ship. Separate Grocery pickup please!",1,3,1636070493000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues with a pickup order while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly. +",1638371543000,Walmart +f78ad929-c52b-422c-8eb4-1877835dbcf4,"I love this! I had my first grocery on line shopping experience with free pick up and it was wonderful. Im not kidding ,i hate to go grocery shopping really really hate it and doing it this way was so freakin smooth with no stress and no worries i plan on doing all my grocery shopping this way forever, every time. Thank u walmart for making my life alot easier🥰",5,0,1573209084000,,,Walmart +569b04c4-837c-49a7-91d6-7876d29f7918,"I must say, the experience with your app is 1000x better than the experience inside the store. It's easy to navigate, easy to check in for curbside pick up and the associates are pretty quick at getting our merch out to us shortly after parking. Grove City, PA location needs to change their attitude inside the store. They're rude, they're condescending, and egotistical.",5,12,1677498496000,,,Walmart +bd80f12b-3a64-409b-8b19-07dd74e77e29,"Really enjoy the app. Fingers crossed but I've never had any of the problems with the app as described by other users. Installed on a Pixel 2xl.... I've changed phones to a Pixel 3XL with no problems, app still works great, even with the many updates that have taken place since I last rated it in April.... Cannot use a VPN and use the Walmart site. Screen appears informing the user that there's a problem with the site. Once disconnected from VPN the site works well.",4,10,1596175469000,,,Walmart +62d01d9d-4e77-46cf-a1ed-65b1caa667bc,"Old app was so more user friendly. If I'm ordering groceries it's things I want/need asap. If I'm shopping online then so be it and ship it to me w/4-5 days? Now some items you pick out you don't realize will be shipped days later. Don't get me started about the tip that is automatically included for you prior to you even getting the order actually delivered. Last time I checked tipping is at my discretion to be determined AFTER services rendered base on quality of those services., if I choose!",1,1,1638486892000,,,Walmart +1b147be4-200c-4d68-8875-c5ed55f8249a,"I don't like the way you handle the tipping .I like to custom my tip, however, the way you have it preset at $7 is too high for many seniors.You should require an input, per order vs the "" accidental"" overcharge of $7.When that happens,I end up calling customer service for an adjustment too $4.00 ; instead, because of the way that process is adjusted, is that the driver ends up with no tip at all vs a reduction to $4!",3,2,1617968334000,,,Walmart +1f59492b-406d-4d4f-983b-58195f1808d5,"Our apartments uses the Walmart money services, which isn't working on the app, and is the only way they will accept rent payments (which are due tommorow) and now they need us to provide our account number for the payment in store. Normally I could access that in my payment info on the app, but unfortunately in addition to the service itself not working, can't even access my account info. It's just *poof* gone. Very frustrating, and the new interface is garbage aside from this issue.",1,0,1633221549000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly. +",1638372619000,Walmart +4e9983cf-b46a-4468-b8b3-6fa1c97cb6ef,I had auto updates off and this thing still updated. What the heck?! And ow it just doesn't work right. I miss my store map. Some items don't even have where you can select sizes. How am I supposed to buy a shoe if I don't know the size??? Give me back my good shopping app. It's so confusing to order groceries for pickup now. Too many things from 3rd party sellers mixed with basic groceries. Sure I could filter but why do I have to jp through hoops just to find the right items in store???,1,1,1631534896000,,,Walmart +42216d95-b4d0-4346-80cf-a3857afc0a21,"Orders won't go through. When you hit checkout it tells you ""there's been an error, return to your cart"". All the items are in stock, app doesn't need updates, payment info is correct, I even removed and reinstalled the app. 🤷🏻‍♀️ Chatted with customer service and they told me they could have someone call me to take the order instead, but, that doesn't fix the app and it was a large order so I skipped it.",1,8,1622819466000,,,Walmart +eb6420d5-39f8-424c-8cd0-fcde5f7aa80f,"New version is garbage. What's in store isn't separate from online when you try to place a pick-up order. This results into some stuff actually being bought online instead with your pick-up order, so if you don't catch it when you go to check out (and it's tricky to notice), some of your items come shipped to you and you're left paying a shipping fee as well. I can't believe someone thought this update was a good idea.",1,152,1637438410000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues with filtering between Pickup & Delivery vs. Walmart.com. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly. +",1637672398000,Walmart +26ea3228-4b98-4ad0-93ef-7519c7935bf2,I have anxiety issue which makes it hard to leave my house. Having this option to have delivery to my home make my life so much better. The only problems I have in when the items I need may not be in stock I always take the time to do the the substitution option and the dont always give me the right things or delete the item all together if they cant find my first choice. Other then that I Love this option of delivering my items so I dont have to go out.,4,3,1679900434000,We appreciate your review and kind words. We are so glad our service could help you! Thank you for shopping with Walmart!,1680214615000,Walmart +e9c750a1-2190-44ab-93fc-37ed4aa3d144,"As of October 2021, the newest app update (website and phone) has made making a purchase very difficult and I have been doing online pickups since the program began. I have called, written in, posted online and asked for them to revert back to the previous app version to separate the online from the in-store features to make use and know where your products are coming from and where to expect them. Walmart - please listen to your customers. The problem wasn't the app, it was the stock.",1,14,1633817085000,"We're so sorry to hear about your experiences. Please contact us at walmart.com/help +",1634850084000,Walmart +352dcfda-3df4-4a24-a3a4-8e7b51a1fabd,"This app is functional. The consistent failure of this app for me is at pickup. It has a horrible UX for this piece. It doesn't let you know when you've successfully designated your spot, it just shows an edit link so you sit in your car wondering if they know where you're parked. The other thing I dislike is if you add anything to your order you can't designate your desire for substitutes on the added items, or if you can I certainly can't figure it out so it's not intuitive.",3,100,1590180272000,,,Walmart +90776e4e-38b5-48d8-b901-a379cd9b9390,Even with turning notifications off in the app they still come through. I have opted out of ads and promotions. The only notifications that should be coming through are for order updates. The way they get around this is by sending ads to your message box in app. This way you get a notification for a new message but it is just another ad. There is no way to turn off notifications for the in app message box. Very deceptive practice with no way to shut off.,1,310,1684283998000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1684288315000,Walmart +e57ce23e-d292-415f-a114-b1c35cf2e38b,"The app is okay. Kinda glitchy and disorganized. What annoys me most about the whole process is when you order something for pickup or delivery and it gets 86'd from your order because it's ""out of stock"" but actually it's just that the shopper didn't feel like looking for that item. I had five hardware items nixed today but I needed them. So I made a late trip after the kids were in bed and found them all. In the store. Not out of stock.",2,2,1610961976000,,,Walmart +430770ef-30a1-49f3-a2df-1d6868f12009,"CHANGE IT BACK! They ""overhauled"" the app and it's terrible. Half the features are actually gone now. You have to go to the website for basically everything. Looking at your wishlist, managing your cards, missing sorting and filter features, checking out with registry items... whatever that means.",1,2,1631491760000,,,Walmart +030c33dd-c909-48fb-a1cf-4756dfbe6b10,"I used to enjoy this App mainly for the grocery list function and you guys ruined it. You can no longer ""Check Off"" items you've grabbed from the shelf, and the stores Inventory no longer ties in to the app, so the helpful ""Location"" on each item is now gone too. Before, you could type the name, hit find item and add it to the list, Now, since it doesn't tie in with store inventory anymore, you can no longer ""Find Items"". The ability to look at your list and be able to see if it was in stock was handy, but now, you have to walk all over the store to find the item, then look on the shelves to see if you're out of stock. Lots of wasted time now. This used to be a great app for grocery list and it's gone now, no sense in using it, I'm done with it, too bad you guys screwed it up so badly.",1,499,1592227698000,,,Walmart +c3e97793-1df6-444b-9028-7a7e40fcd40d,"I would have given a 5 star but recently I've noticed when I received my text informing me that my order is ready, the app doesn't go straight to the parking # information anymore. It keeps directing me to the Google play store, then I have to click to open the Walmart app, and now it's not even pulling up a way for me to notify anyone of the parking number I'm in. In previous trips, it worked perfectly, now not so much. Disappointing.",3,0,1629080742000,,,Walmart +f43457ba-f0c4-4136-8693-9eb6ec524ca0,"Used to be a big fan of the app. Lately it has developed a lot of issues. Searching for products in store often finds nothing of the keyword I entered, even when I know the product(s) are carried in the store. It takes longer to load the app if you are in the store now because it insists on starting the ""assistant"", which as far as I can tell doesn't do anything except show up saying ""welcome"". The Walmart Pay feature used to let you authorize with a fingerprint, but now even if you do use the fingerprint it still requires your PIN, so the fingerprint part is useless. Walmart, please fix these issues!",2,23,1548906928000,,,Walmart +9c36f2dd-dcf7-43e7-85ae-80ccc13e47ae,"NOT GOOD! Hate the new app and navigating it. It was SO much better and easier when shipping and store pickup were separated. Majority of our orders are for shipping, when I search for an item it will show 3 day shipping available but then when I click on it to select it shows pickup only and shipping not available. It does that for a lot of the items and it's so frustrating. Why show shipping available if it's actually not?",1,198,1635982780000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues navigating the Walmart app. Please provide our Mobile App team with more info at appsupport@wal-mart.com +",1638383957000,Walmart +58812dff-68ed-4235-9741-635303b82072,"The new update is absolutely awful! It is so confusing to use. I don't want to buy my groceries and online ship to home purchases at the same time. 🙄 in store if I scan an unpriced item it claims they don't sell the item! Hello, I'm literally holding it in your store!! My biggest complaint is I need for groceries to be separate from online purchases, or I may have to start getting pick up groceries elsewhere.",1,60,1631606566000,,,Walmart +45d16057-d663-42b0-be0d-79a1a30c3ba4,"The latest update has made this app useless. If an item is out of stock in you're store, it no longer shows where the item is available, you have to check each location individually. The app is one of the poorest designs I have seen in a while, like it was done by a child. Update tried to use the app in the store, scanned an item to check the price, told me item was not available in this store and would give a cost.",1,15,1632020314000,,,Walmart +193ed7f4-fd40-4890-9ad8-46fde1926521,"Everytime you make a new pick up order you have to update the Walmart app or all will go wrong. The associates won't know that you've checked-in, they won't find your order, or you won't get alerts to approve replacements. Sometimes all 3. So I make sure update on the day of the pickup or when I'm making the order, sometimes both and everything goes smoothly with the app.",3,0,1615107733000,,,Walmart +8b600a97-16b6-4801-9f15-078308b48f5d,"I do not recommend using Walmart for delivery services. They are far behind other delivery services. Substitutions aren't controllable. And they often cancel your orders with no reason given. Which is really inconvenient when getting a slot same day is near impossible. And choosing express doesn't guarantee anything. I've had those canceled before too. I had one canceled after they had obviously shopped it, I got notified of substitutions.",1,0,1604107914000,,,Walmart +7a36289e-f7ff-43c6-97aa-960ea850acb6,Ever since the update I have had to fight with this app every week to get my groceries ordered. After a few minutes it slows down to a crawl and takes a long time to add an item after I tap add and to add another if I tap the + button. I have to check my cart because it will sometimes remove items randomly and the cart won't load when it gets like this. I have to keep closing the app and opening it again to try to get it to work properly for a few seconds. It's terrible and frustrating to use.,1,44,1618576736000,,,Walmart +d51b1bbc-2b99-4f5c-97db-a7340b967d76,"Terrible experience if youre not the person picking up your groceries! I checked in to pick up an order. The app used my location to estimate I was 9 min from the store. Hwv, my husband went to collect it for me. He called the pickup # but no one was answering. He told me his pickup spot. But there is no way on this app for you to say you've arrived it, as it uses your location & still thought I was not at the store. This is so frustrating! End result 1 hr wasted & someon else got our groceries!",1,6,1604544715000,,,Walmart +b60a3c53-d66c-4062-8875-39e303034714,"New update is terrible. Terrible idea that was terribly executed. Seriously just horrible. It makes very difficult to search for things. I will not be using the app until this is resolved. I liked having the option to search in ""my store"" and to switch back and forth from online to pickup and delivery.",1,12,1632509551000,,,Walmart +758e2ce2-9e08-4f45-9e52-aa6037eb766d,"Walmart is the only store in my area where I can order groceries for home delivery and pay with my EBT card. I'm disabled and have appreciated the access Walmart provided. The new update has rendered the app inaccessible. I wanted wild rice, which was under ""ancient grains"", which I had to search for specifically. I can't choose whether I want a specific product to be subbed for another, resulting in subs I'm allergic to. Or, I get no replacement when I asked for one. The app is a UI nightmare.",1,8,1633443528000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1634819405000,Walmart +f3821c7c-e5f9-4d70-804e-5bd55951d0cf,"Don't download. Used to be a good app for grocery shopping but ever since they combined their regular app and grocery app into one it's horrible. Every time I want to add a grocery item for pickup it directs me to either in-store regular pickup or having it shipped, not grocery pickup. I cannot wait for the new Amazon Fresh to open in my neighborhood so I can have a better grocery pickup experience.",1,1,1637979824000,,,Walmart +73a7cee5-43a1-4ffd-bbed-0792bfd27b02,"It is cluttered with things that I don't need. As I always tip drivers with cash in hand, it's very annoying to see repeat suggestions to rate/tip drivers. And lastly, I turn off notifications because there's SO many, and I STILL get notifications! That is spam! I shouldn't have to go in my system settings to do the apps' job, lately I've been getting ""messages"" that are irrelevant ads so it's gotten way worse about the notifications!!! I have no way to turn it off without missing things I want!",2,202,1685762130000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1685768627000,Walmart +20369e48-74f6-4192-a385-02b4423bdd0b,"As of 9/11/21 I hate the new app experience. I mostly use it for grocery shopping and the item pics are too tiny now to see details. The lengthy, item descriptions as are cut off too so I can't see the difference between similar products. The ingredients on products take 3 clicks into the product to get to and then 3 more clicks to get out. I can't see my grocery cart total while shopping unless I jump into my cart. Accidentally adding items that are shipping instead of pickup is frustrating.",2,5,1631394478000,We are sorry that you faced issues or the app is not working as expected. Your feedback really matters to us and would like the opportunity to address your concerns. Please feel free to contact us at appsupport@wal-mart.com with additional details and/or suggestions.,1633825398000,Walmart +91c29b47-acac-44ce-85bb-43623e65834a,"Walmart is what it is. I'm happy with the online app for ordering with my PayPal credit account. unfortunately there is a small glitch when placing a PICK UP order with PayPal. As when the customer clicks on the payment method (PP),it defaults to your preferred PayPal shipping address. I went ahead and allowed the PP payment to process and was redirected to the Walmart app Cart and it appears that it is available for pickup. Just note, PayPal could confuse customers by this.",5,1,1664481823000,,,Walmart +5bacf24e-3868-466d-9637-403ccd681cf9,"EVENTUALLY the Wal-Mart app makes my life easier with online shopping. But only after the numerous technical glitches in their system slow me down, make me start all over, and frustrate me to no end, nearly every single time I use either the app or their site. Only reason I keep using it is because it still ends up saving me time as a busy mom to shop online and have groceries delivered for my family as opposed to making the trip to the store myself. But their IT stinks. Therefore, 2 stars.",2,0,1674432324000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your issue with our App Development Team. Please provide with more info at https://survey.walmart.com/app,1674499264000,Walmart +80fe7603-8e3a-4482-b3fd-db11b6627280,"New update is terrible. I have scanned prices for products in the store before I chose to purchase items for a long time now. Since the new update, nothing scans. Walmart is bad about not having the correct price listed on the shelf tags and I often find things that are marked lower than what they are at checkout or vice versa. Once had a candy bar ring up for $20+! And another time, a 12 pk of soda. After that, I chose to scan most items. Please fix it!",1,28,1632978725000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the scanner feature in the app. We’ve shared your experience with our App Development Team. Meanwhile, enable your precise location within the app. That way we can show you accurate prices based on which store you’re in.",1636630703000,Walmart +16ecb771-5434-43ca-8486-92545a232c8d,"We order from this APP ALL the time! Absolutely LOVE it! We get deliveries all month long every month. The items that don't get delivered right away are then sent separately when they can get them in. You have the option of it being delivered by 2 pm (costs more) or by 9 pm (costs less). There is a DELIVERY FEE but it DOESN'T include the TIP for the drivers! Please be kind and TIP the drivers for bringing your things to you! Yes, this APP also accepts EBT and multiple payment options.",5,0,1647633507000,,,Walmart +fa32f0c9-56ff-49bb-8fca-b20641bf1063,It wasn't great to begin with but it's horrible since the last update. I used to use the List feature all the time but now they moved it from the app and is only accessible through a web browser. Also I used the pharmacy tool very frequently to check status of prescriptions and submit for refills. That too has been removed from the app and is only accessible through a web browser.,1,4,1635287179000,"Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. We’re working on adding lists to the app very soon. Meanwhile, you can still create and edit your lists on web. Please contact us at walmart.com/help for any additional questions. +",1650657442000,Walmart +82609e13-c9f7-4ff0-a537-f8c052d7ca98,"I have had very little luck with this app. It is not very intuitive and extremely hard to find what you need. I scanned everything on a shopping trip and went to the self-register, which erased my entire purchase. The app has difficulty scanning at the gas pumps. It's substitutes food you do not want, even if you tell it not to when you place the order and tell it not to when someone is shopping for you. I don't know that I have had a positive experience yet with this app.",2,33,1612232521000,,,Walmart +21867b66-7617-4f57-ac46-4f8679827a2b,"Just reinstalled the app for the umpteenth time and it still doesn't get past inputting location. Apparently I need to update my Android phone to version 12 or whatever the coming latest Android version is. I guess this app doesn't work in Android ver 8 since I'm the only person left with this ancient version. I'm bummed, the app used to work just fine. I'm guessing the developers all have the latest version iPhone and figure everyone else does too.",1,3,1633994096000,"""As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. To enable this, we are rolling features periodically and the store maps feature will re-launch on the app very soon. You can still use the app to find items in store by using the aisle location shown on the product display page.",1633963278000,Walmart +0ca5926c-3a98-4237-9ae2-2ae81c070e66,"This was a good app when I first started using pick up service. The 2 times, I could click ""check in"" and it directed me to the store. I then put my spot # in and awaited my order usually 10 minutes. Since then, you can't use the ""check in"" feature. You have to call the store, hope they answer and wait 30+ minutes. I could go in the store and shop my own items for that. Was a great time saver on the beginning. Now its a time waster.",2,119,1612833858000,,,Walmart +88d35d9d-3ffd-40da-baaf-a07beb790b87,"I've had a no luck opening the app when there's no wifi available, but, I should be Able to use it with my mobile data as well as wifi. That's why I Have unlimited data! Even data roaming and not suppressing background function doesn't help! It's very frustrating! Also, it's unclear where my online orders are to track them and see the delivered orders with how the sight is set up. It would help if ""online orders"" was in the home menu list. Thank you in advance for your help....Terri",2,15,1656241695000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your issue with our App Development Team. Please provide with more info at https://survey.walmart.com/app,1665635097000,Walmart +63178596-16ce-4ff8-8adc-59898d71a17d,"Love this grocery shopping app. I rarely even walk into the store anymore. Pick up is the best! Walmart app is much more user friendly than other grocery shopping apps. the only thing I wish it did that it does not is once something is in your cart, you cannot click on that item to go add it to favorites or perhaps review information or compare it to other products. You have to go back to search and find the item again. If you could select item once in cart, I would have given 5 stars.",4,83,1618436175000,,,Walmart +5387fd3d-e6ad-4eb3-bfd3-77a2894c38db,"Great ap when you get your order, but it's becoming more of a headache than its worth. I had one order dropped off at the wrong house, another where all but a couple of items were missing, and i decided to do a store pickup at a completely different store to skip the headaches and while at work i just got a notification that it has been picked up and i havent checked in yet? And i been on a 15-minute hold so far to straighten this out and nothing yet. It's always a process to fix the messups.",1,0,1690245833000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with a pickup order. We’ve shared your experience with our App Development Team. Please reach out to customer care at walmart.com/grocery/help.,1690247686000,Walmart +a7df0591-1f7d-4e8f-9142-5ddf5fed8933,"The app is super convenient. I love that I can get a subscription to delivery, favorite items, get texts when my order is on the way, and have items suggested based on my previous orders. I also love that it can be used with the Tasty app to add ingredients directly to my cart. Having WalMart online and grocery together in one app is also more convenient than two separate apps like it was before. Looking at my order history is so much easier than going through receipts for returns.",5,9,1620540043000,,,Walmart +aedd1b64-5bef-4049-979b-86bf08e7398e,"Who in their right mind implemented this update? Ya'll took away more features than you added. You can't view products in store maps anymore. That was a really helpful feature and yet it was removed. And why did ya'll make the lists function less convenient? Everytime I want to see my list, it takes me to website version which contradicts the function of an app. It's so dumb. The only thing I like about this update is that there's pop up windows now.",2,0,1633053000000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1637029507000,Walmart +c8cd2e64-3964-4f56-af78-da0e317389a6,The app was awesome before all of the unnecessary changes. Now the bar code scanner doesn't work in any store I've tried using it. Literally every item now says item not sold in this store. When I am in fact scanning the item in the store. The search feature is horrible. It use to show prices in the store you have set or other stores and if they have the item or not and now it doesn't.,1,47,1632810966000,"We’re sorry you’ve had issues while using the scanner feature in the app. We’ve shared your experience with our App Development Team. Meanwhile, to get accurate prices while shopping at your local Walmart: Enable your precise location within the app. That way we can show you accurate prices based on which store you’re in.",1635913687000,Walmart +f959e695-e81b-4f54-85db-e402555e2060,"For a few years i have been ordering and renewing my phone service on this app. My payment and renewal services are not working now and, for some reason, the payment method i had stored has now reverted back to my old card and, won't let me change or update it, pretty much eliminating all the conveniences it provided. Now that it's no longer convenient, maybe I don't need it anymore, what convenience it did provided. Have had a problem with this app since day one.",1,14,1633114418000,We are sorry that you faced issues or the app is not working as expected. Your feedback really matters to us and we would like the opportunity to address your concerns. Please feel free to contact us at appsupport@wal-mart.com with additional details and/or suggestions.,1637231067000,Walmart +750e094e-c8cc-4bf3-950f-e45b275c3531,"The previous version of this app was great. Now with the grocery and online shipping combined it makes it very difficult to browse for food items. Today it split one order into 3 with 1 for delivery, 1 for pickup, and 1 for shipping. I only use this app for grocery delivery, so why do I not have an option to restrict it to only grocery delivery now? I am going to wait until the new Reasors is built near me, and if Walmart doesn't fix or revert the app I will cancel my + membership.",1,3,1634248480000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with filtering between Pickup & Delivery vs. Walmart.com. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1636024511000,Walmart +1807d6c9-faeb-46a1-a1eb-81e6495c178b,"They change their app way too often! I haven't been able to get notifications, emails, receipts since the last time they changed app. 3 ""chats"" and talking to people at the store and I can still not get this corrected! Ridiculous! Update: the app is much better now. If I could just figure out how to get clothing and groceries at same store on same day that would be great.",4,82,1612569963000,,,Walmart +2cfe158c-9e84-4b49-b908-97e683379600,"I loved this app until this month. I had shopping lists set up for online shopping, and favorited items for weekly curbside shopping. Now, there are Buy Again & Lists. While shopping for food for curbside pickup, when I favorite a new item it throws it into the first list available for my online shopping...which happens to be Office Supplies...in order to move it I have to go into online shopping, open each item & choose add to list, then go back to each item in wrong list & delete it...🤨",1,2,1601769502000,,,Walmart +1aa48f6a-868c-40c6-8dfb-f29568b3bb50,"This app used to work perfectly, but in the last two months it was no longer working anymore. Tried to add 20 items in my cart and when I tried to check out, every item disappeared. There's no way to check out. The system was broke for a long time, and still not fix yet. Walmart you are losing million dollars if you don't quickly fix your groceries website.",1,92,1605525651000,,,Walmart +b522abdc-f357-4cd1-8037-bbaaff7fdc56,"There should be a simple, final, itemized list in your cart at checkout. Instead, it is broken up, grouped together by delivery dates, which is convenient for Walmart, NOT the consumer. Lately, the SEARCH ENGINES seem to have gone blind and unresponsive - even when you put in the exact product name in the search bar, it can't find it. And THE SEARCH BAR just goes blank half the time and makes you type the same info in all over again. Why the search-related problems?",2,29,1645325074000,,,Walmart +e96a1e29-c149-4d90-ba80-c49332cceb17,"The app is ok with me, I just hate that you all took the option of opening the map/layout of the store up to find your way around! && The option to pull up & see where things are available just by clicking one button, now you have to go back & change your store & check like that. That's too much, when the option was available right below the product!",3,1,1631828657000,"""Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. To enable this, we are rolling features periodically and the store maps feature will re-launch on the app very soon.",1633739105000,Walmart +1e55f0cd-dcf4-4f08-8a9a-43c2c09c179c,"I have had my order cancelled twice in two months. When this happens, my visa account is put on hold, including the $400-$500 that is charged- for up to ten days!!! I can't afford for this to happen EVER because I only have disability money to live on. This takes up to half of my monthly paycheck and really puts me in a bind! The orders were cancelled due to suspicious activity and they say it is for my protection but each time it was because I tried to make changes after submitting my payment.",1,1,1674899545000,Thanks for sharing your experience with us. We’re sorry you’ve had an issue with you're for Pickup & Delivery order being cancelled. We’ve shared your experience with our Pickup & Delivery Team. Please contact us at https://survey.walmart.com/app for any additional feedback.,1674903840000,Walmart +e346018b-b1e3-49d4-920c-466bd78e69da,"I like shopping at Walmart, but shopping online is now ridiculously difficult. There is never anything in stock and when I choose my products and get ready to check out, I always get a message that at least most things or all things in my cart are unavailable. Maybe I'm not understanding the process, but if I'm shopping online, it seems that my items should be able to be pulled from other shelves in more than one warehouse.",1,1,1630392886000,,,Walmart +25268158-6e3e-45d6-9e34-3730f4bda72e,"I told all my friends about savings catcher. I only saved a few dollars a week, but I was happy to use the app and shop at walmart knowing I was getting the best price. They went and broke it in October, and despite me diligently scanning QR codes at checkout, none of my receipts have been submitted. They were making tons off of data and customer retention, but now this SLOW loading app has nothing to offer.",1,12,1550353676000,,,Walmart +41faca3f-1795-485c-acb1-79fb5fb5111e,"New app update sucks. I used to use grocery pickup weekly and now, I haven't used it in weeks. It always wants to ship things to my home instead. Says everything is out of stock, and when I go pick it up it's fully stocked. I try to scan prices but it brings up that the item is sold out or not in stock (when I'm scanning it in store). Sad to say this new app is losing alot of money. I'd rather do grocery pickup with other companies now.",1,1,1635491703000,,,Walmart +e7674c53-0635-4e5a-af87-ff3a580d85cf,"I had deleted this app because its a real space and data hog. Just tried to re-install because if you go to the web based version THERE IS NO ITEM SCAN FUNCTION ON THE HOME PAGE. It downloaded, then, when I opened it, it froze and re-looped ad infinitum on the ""let's get started"" page. Neither the Zip code locator, nor my TURNED ON LOCATION works, just keeps looping to the first screen. There is also a ""skip"" option in the upper right corner WHICH ALSO DOES NOT WORK.",1,7,1599110410000,,,Walmart +58a2555b-8525-4039-b2f5-d60b8e2ec242,"Used to love this app until they made the change to Savings Catcher. It is NOT more convenient to have to pull my phone out at the point of sale when I could easily just hold on to my receipt and scan it at a later time. Not to mention, people who don't have smartphones completely lose access to the feature. Will be deleting this app.",1,14,1541497656000,,,Walmart +0337f4b7-9dbd-4c5b-9202-9e2f6604ced3,"Horrible service! Ordered gifts for christmas. They took the money right the. Each day there was something different going on with it. One item out of stock. Delays on thre other items. I cancelled the order, hoping for a quick refund. Still dont have my money and my daughter dont have the gifts! Just ruined it! I could have at least went to the store looking for the damn dolls if they would have given my money back. 4 gifts! Ugh, thanks walmrt for messing up our holidays!",1,0,1577840089000,,,Walmart +65ac8953-305c-4c98-a164-e4503156e0c7,In my experience with this app it is easy to order and reorder items to pickup or have delivered. But my recent experience with a delivery has lead me to believe that it is hard to reconcile errors when your order is missing or flat out incorrect. You can speak to a live agent and still get nowhere just like in the actual store. I feel that all items ordered should be returnable even if they are the incorrect items or substitutes. I had to beg for a compensation for the driver's mistake.,3,120,1675998353000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1676003044000,Walmart +3b56a9d0-765b-4915-803a-aefed9de5c7b,This update is garbage. It's too difficult to differentiate between pickup/delivery and shipping items on a search. I don't want to get to my cart and find out a $3 grocery item is being shipped and have to go swap it for a pickup item. My wife and I both had the app on our phones and we would add grocery items to the cart throughout the week and now it doesn't sync across devices? Who the hell thought losing that feature was appropriate? If this doesn't change back I will cancel my Walmart+,1,32,1631261695000,We are sorry that you faced issues or the app is not working as expected. Your feedback really matters to us and would like the opportunity to address your concerns. Please feel free to contact us at appsupport@wal-mart.com with additional details and/or suggestions.,1633141443000,Walmart +90cc9866-810f-48c6-8715-4bee957744c6,"New Version Review! Worst thing ever! My daughter has been having problems using the app for several weeks. She thought was her phone. I figured I'd check and install it on my tablet. I came to PlayStore and started reading the reveiws, some as recent as today! All saying the same thing! It doesn't work anymore! The idea of linking the grocery part and the dry goods section sounds good but the developer really screwed up on this! So after this review I'm deleting the app...again! FIX IT PLEASE",1,0,1600398898000,,,Walmart +92718f55-ca5c-4460-ba22-3cf17e7f00eb,"This visit gets 4 starts due to the lag in digital service while using the Walmart app ""scan and pay"" for this purchase. Things got a little slow towards then end and the app said my (debit) card was not valid. However the cashier was super understanding that this was my first go at their new ""scan and pay"" option, and it seems maybe theirs too, but after a few minutes my purchase was authorized and I was on my way home!",4,25,1657790947000,Thanks for using the Walmart app! We appreciate you taking the time to leave us a review.,1674765740000,Walmart +19aa6902-6dc2-4be8-be2a-8da89c90c23a,I'm absolutely pissed. I have been ordering from this app for a while and never had any issues. The one day I finally sign up for Walmart plus...there's a glitch from app to store system. I placed my first delivery order today and even paid the $10 Express fee to receive it within two hours. That was at 3:15 PM and now it's after 9 PM. All the app said was delayed. I called the store and customer service. All I got was an apology and they cancelled my order. 😡,3,8,1634199895000,We're so sorry to hear about your recent store experience. Please contact us at https://survey.walmart.com/?walmart-store-core,1635937368000,Walmart +97c304a6-c550-41de-9a1c-96c00d136a98,"Have used this app for years, but now it's awful! I order groceries for pick up, but the ""check in"" button doesn't even work now. When I'm told of substitutions, I can't decline them anymore, I'm stuck with them and it's almost always more money. I hate that allowing substitutions is the default anyway, I shouldn't have to say I don't want them every time.",2,14,1663377264000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with curbside check-in on the app. Please provide our Mobile App team with more info at https://survey.walmart.com/app,1664339846000,Walmart +9942de56-b7c7-4406-846b-463189f6ae79,"Really been happy with grocery pick-up during the pandemic. Pick-up associates are always friendly and helpful. Mostly have items I've listed. My only complaint is not receiving email confirmations. Three out of ten times isn't bad, but, then, without confirmation, I cannot add to or change my order. It's a drag and necessary. Today I chatted about my non-confirmation email, the associate on the chat seemed very helpful, but to no avail. She tried twice to send the email, and 4 hours later, still no email. Disappointing, but not the end of the world.",4,216,1607903971000,,,Walmart +e103dbfa-2050-4591-b035-19effe617729,"Please change it back, this new update is horrible. I shopped on my PC because this new layout is not user friendly at all. Before, I could switch between the app and the online store and everything in my cart would be in both places. It is no longer like this. I enjoyed browsing the different departments and now cannot do that.",1,24,1627011608000,,,Walmart +6e7f2ad2-c966-4b93-a5a9-20af93f41622,"Overrun by sniping bots. Update: still not good. I can get items in my cart and to the processing payment and then it's magically out of stock. Imagine a cashier scanning your item at the store, then giving it to their friend, and then telling you they are out of stock. Ridiculous. Also, the ""chat"" is infuriating with idiotic repetition.",1,3,1632650721000,,,Walmart +5cf8908b-9c50-4a05-ab07-da40003fe95a,"I used this app at least once a week until the last update. Now it's useless. It freezes, won't let you search, won't load products previously purchased, and if it does load, you can't add anything to the cart. It's no exaggeration I can drive a half hour to Walmart, pick out my products, wait in line, and drive home in less time than trying to get a cart started. Really a shame, I'll have to start using another service.",1,64,1612975115000,,,Walmart +d0272ae0-fcaf-4e8a-991d-156ee39bc2c8,"I love using the app for ordering and other things. However, after a few minutes of working on grocery order, it starts to lag, so much so, that I have to close out and start again. Multiple times for an order. It's not my phone, it's the app, since I have a galaxy s20 with tons of room. Please fix this issue. I had the sane problem on 3 different phones.",3,71,1623204672000,,,Walmart +bca09e3b-15e9-4330-92c8-8c8c58982b28,You would think companies learned to not fix things that aren't broken. Well now you can't access your list through the app. You have to go to their website. You can only add things to your shopping cart. I used to add things to my list and then go shop and use the map. Can't use the app for that at all. Can't even add items to your list. Have to use the website. So so so dumb. No one uses an app to forward them to a website,1,2,1632163643000,"Thanks for sharing this with us. We are in the process of rolling out a new and improved app experience. We're rolling features periodically and native list functionality will be coming soon. Meanwhile, you can create lists on the web or add items to the cart and save them for later. For questions, please contact us at walmart.com/help.",1634430779000,Walmart +6a1f0500-5f79-4b34-9491-8492e79e8725,The app never gets my location right and doesn't save it. I haven't been able to order them pick up items for a long time. I'm never going to Walmart again. Im going to start using the Costco app more they are accurate and don't have so many glitches like circular links and not being able to save preferences. Walmart only treats it's Walmart+ subscriptions well. The subscription isn't worth it.,1,0,1691808370000,,,Walmart +97ff5bd3-8278-4e8a-9cdb-f17dface9fed,constantly tells me my order can't be processed and that they are having technical issues This new Sept. update is absolute trash. It is not user friendly AT ALL. Have to constantly filter for pick up/delivery items. Searching for regular items is no longer available. I cancelled my subscription until they fix this mess. I didn't even finish my order. I'll be taking my business elsewhere.,1,1,1632130687000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues with filtering between Pickup & Delivery vs. Walmart.com. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly. +",1634412359000,Walmart +9fb4dcc5-4733-4155-8737-4fc31dc9a467,"Delivery is not worth the subscription. It started with missing items. Then my orders would be canceled with no explanation. Now, I have to change to pickup and have missing items still. What is the point of paying the subscription for free delivery if I still have to go to the store? And today, I even had to go in to get my order (that they had lost and had to repick)!!",1,415,1690765467000,Thanks for sharing your experience with us. We’re sorry you’ve had an issue with you're Pickup & Delivery order being cancelled. We’ve shared your experience with our Pickup & Delivery Team. Please contact us at https://survey.walmart.com/app for any additional feedback.,1690766247000,Walmart +0a417f43-4f4c-4088-bb6e-4f3f108e5f71,It worked great until recently. I've been trying to order groceries for a week! There have been problems every single time. It tells me it can't deliver my items and to switch to pickup.... I was already doing a grocery pickup order 🤦‍♀️ I am so frustrated. I never had a problem with the grocery app. Currently looking for an app for a different place to buy groceries. I don't care to see Walmart's app apologizing and telling me 'something went wrong' anymore.,1,187,1596996544000,,,Walmart +4c934324-159a-4fd7-81d8-ac9e602af87d,The only gripe I have about the Walmart app is that there needs to be a simple and clear way you can add someone onto your account. Also once your signed in on your phone and someone needs to use your phone to check their Walmart app it doesn't let them sign in once they have entered their email address. it says not a valid email and so forth.. so 4 stars for me. Now the employees at my Walmart store that gather the items for cart and bring it out are wonderful and on top of it and very friendly,4,0,1655523227000,We are sorry to hear that you are having trouble with your account information. Please contact us at walmart.com/help,1674711100000,Walmart +8202ef52-e840-48b9-9b15-e4d076259b3e,I used to like the fact you could scan in your receipts. I am usually so busy trying to pay and leave that who is going to remember to take the time to drag out there phone (better make sure your phone is charged up) to pay for items just to possibly get a few cents. It's just a way to make you jump through hoops just to get a few cents. It would be nice if they would honor things you buy via pick up also.,2,16,1541236886000,,,Walmart +17b561c2-5714-4302-a8ff-56dc1bf2eb24,Walmart is scamming people. I ordered a 2 hour delivery for 4 items. Delivery fee was $17 dollars. They only delivered 1 of the 4 items. They never notified me these things were unavailable. I would've cancelled my order. The most important part was missing. Instead they delivered one $15 item and billed me $17 for its delivery. I only realized my order was missing 75 percent of it after it got delivered. They charged me about $35 for a $15 dollar item. And are refusing to reimburse me for it.,1,0,1617585350000,,,Walmart +2fdd78f2-d03a-4d21-abe0-3c4a735a03e1,"I used to love this App. Now, NO - IF I can connect in store, I can't get my wal- mart pay to work since the upgrade. So I use my ""connected"" credit card, but now I can't scan the receipt. If you wanted to chase people away, you did a good job! Gas points somewhere else since I can't earn rewards here anymore. VERY DISAPPOINTED.",1,3,1542065666000,,,Walmart +701edf1c-becc-4843-bc20-3e28fec339b8,"Absolute trash I've been using grocery pickup for 3 years even before covid started. For 3 weeks I've had issues with 2 old orders saying ""delayed"" I've called the help line 3 times and just keep getting told there is a ""glitch"" and they will send an email. Still no word back or fix. I will not be using this service ever again. I understand things happen. But this is crazy.",1,10,1638418952000,,,Walmart +c33763d9-cf59-4072-9ce2-62a94739d271,"If Walmart wants to keep customers, you need to revert your app back to keeping the physical store separate. Where did my favorites go? When I finally found the ""lists"" under my acct info, why does it navigate away from the app to your multi-click layer web based site? Why do I want my grocery shopping favorites to be combined with the e-commerce items? Even Amazon knows not to combine those two things...",1,0,1631741290000,,,Walmart +8140c1c9-5e3e-45ca-afa8-d420a8218b6e,"overall the app is okay. when you're shipping in store it waits for you to enter your search, and then ask you if you want to shop in store or online, and clears out what you've already searched for. which is really frustrating. there are also some confusing aspects to it when you're trying to have an item shipped to store rather than ship to the house.",3,3,1670106146000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1670207345000,Walmart +8fc96145-bb9e-41e8-ba92-dda0b06b55b3,"I used to love this app, it was incredibly helpful when it came to grocery shopping. I have a bad spine and a family to feed. Online shopping really cuts down on the stress. I find myself setting up an order and giving up due to lag. I thought I've selected something and move on only to find it never actually worked.",1,1,1610612384000,,,Walmart +8632602b-9b49-49f2-b625-357d1cd5b82c,"Saves money! However, they messed it up by making it so you can no longer scan your receipts for ""Savings Catcher"". This makes me sad. Now it's just a clunky app that is no longer useful to me. I mean, really, do you need an app that requires you to type alll of your credit card information to be kept on your device. That just screams ""Hack Me""",2,1,1592995226000,,,Walmart +7dd15424-fa22-4604-96d9-d9ce83b5b373,I am having the worst time trying to sign in to my account. It will not let me in. Get rid of the verifying your account and put it back the way it was originally. It totally sucks right now. Thank you. Update 7/6/21: Had uninstalled and reinstalled but still can't get in. What's going on? If it's not fixed by this weekend will permanently uninstall. And I love this app,2,3,1625635365000,,,Walmart +1f8c474e-7e81-445a-b458-c3b8eafed531,"New update leaves my app lagging. I'm not one to update apps but there were a few minor incidents that I figured would be cleared up by the update. All it did was make it worse. It constantly lags making me click things I didn't intend to, doesn't add things to my cart, and doesn't increase the quantity amount in a timely manner, if at all. Its extremely frustrating.",3,43,1603580294000,,,Walmart +0a684405-5b7c-4295-9913-9d3fb5fe61ad,"Unfortunately this updated app is more trouble than it's worth. When trying to pick items for grocery pick up they now list items that can only be shipped along with all items. I mean seriously, why would you list shipping only items when a customer is making a grocery order for pick up? Many items not listed as well. Hopefully this app gets organized better or I'm ordering elsewhere.",2,3,1631861359000,,,Walmart +877850f8-0066-4b39-a53b-7879668bf7f5,Update sucks!! I've been using the Walmart pickup for over a year and I've rarely had any problems. All of a sudden Now everything you put in your cart disappears. Spent 40 minutes on what I thought was making a grocery list for my pickup order only to try to check out and have it tell me that there was an error and my cart was empty. Guess I'll be making my pickup order from Meijer instead.,1,0,1633074907000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with a pickup order. We’ve shared your experience with our App Development Team. New app features each week based on customer feedback. Make sure you check for app updates regularly. Please reach out to customer care at walmart.com/grocery/help.,1637118151000,Walmart +7eda2b76-bdba-4d43-b7ff-4ca7580a6b61,"The July 14th update destroyed the app. I use the Walmart app prior to shopping and in store while shopping. I can no longer change store locations to determine which local store has the items I'm looking for in stock. While in store the app is difficult to use. It does not have maps of each store anymore and rarely does it list the aisle location. If I scan an item, it gives me the online price, NOT the price for the store I am in. Whose bright idea was it to make these ""improvements?""",1,12,1626701103000,,,Walmart +b86e5105-1580-4fef-affc-00f51f5dc8b1,"I have had a terrible time finding this item using walmart's search. My husband found it by using Google; but, I could not find it using Walmart search. I tried calling store, and finally got an answer after letting the phone ring 20 or 30 times per call. The person who answered the phone acted very dumb, and could not. answer any of my questions, or find someone who could.",2,0,1629366831000,,,Walmart +2dffe058-fdfe-4a54-8505-5ad4d961264f,"The app is soooo glitchy. I was trying to use curbside pickup and it wouldn't accept my card when checking out (I made sure I had enough to pay, checked the info I put in many times, etc). Then it deleted my entire order, the app gives me ""we're having problems, please try again later"" and ""we're having technical issues"", and it still won't let me do ANYTHING, 3 HOURS LATER.",1,79,1616156678000,,,Walmart +c7de39fd-aee2-4dd7-b33f-196ded96b8e2,"Horrible idea combining the 2 different options of pickup or shipping screens. I cannot find my saved for later list of over 200 items that I've been adding to for years! Some items aren't ""available yet"" ie: egg noodles, now come on, I know they'd be in store though!! Really wish I hadn't updated the app!!!",1,1,1632383858000,"Thanks for sharing this with us. We are in the process of rolling out a new and improved app experience. We're rolling features periodically and native list functionality will be coming soon. Meanwhile, you can create lists on the web or add items to the cart and save them for later. For questions, please contact us at walmart.com/help.",1634955335000,Walmart +569796d3-5aad-4735-87ec-581e19ccb0e5,"first time using the free Walmart app to place my pick up order. ordering the food went quickly, no complaints. But selecting the alternatives took 45 mins. the app crashed 3 times. would kick me out of the alternatives selections and not store my alternative selections. I ended up getting all my alternatives selections made but it took 10 attempts and lots of patience. My question is....what is the benefit to using the app vs website?",2,1,1668905124000,We are sorry to hear you are having issues with our app. We would love to get this resolved as soon as possible. Please contact us at walmart.com/help,1669261925000,Walmart +eb6dae77-c501-4c53-886e-020d829833a2,The longer I have this app the more it glitches. I ordered my groceries for pickup regularly. The last three times I've gone to pick up my groceries I can't check in. The app glitches and says sorry something's gone wrong. The fact that it's happened the last three times tells me it's something that they aren't fast tracking to get fixed. I've used the app in store to scan for prices or to look for what aisle things are located in. That works pretty well.,2,10,1623020468000,,,Walmart +c4e281b8-5774-4b45-9d4b-23eb0c94be99,"Ordering and the pick up/ delivery option is great. It's nice that the Walmart app keeps a history of everything you've ordered, so you can reorder easily. Thinking about joining the new program started with a yearly fee. I purchase alot of items for delivery so I don't have too pick up so many times. Delivery is always in time with no problems too address. Beverly M",5,1,1618462353000,,,Walmart +57e50dea-2243-419d-b264-9f2c08c29d11,"My app updated and now I can't even use it. It asks me to enable location like I'm just a beginner and then when I enable location and/or put in my zip code. It tells me there was a problem to try again later. What gives? And I've tried multiple times. Can't get into it at all because it won't get past that stupid screen. When before when it updated. I wouldn't get the start screen, I would still be signed in.",1,14,1626557531000,,,Walmart +d4d94cf3-3b1f-4909-a711-06652c06fb8e,The new update of merging grocery and retail together has wiped out all the best features in the old app and is useless to me now! On to Target and HEB! Update after developers' response: Nothing has changed. Still unable to search items and know what local stores have them in stock. Thank goodness Target still has that feature and I don't have to waste gas going from store to store to locate what I was hoping to purchase.,1,4,1633046027000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1632958522000,Walmart +d8ed034e-4b4b-4414-86d6-f9e9bd59215e,"This is now unusable since December, favorites no longer works, can't check out because it keeps removing items, crashing, and is unbearably SLOW! It used to take 10 minutes to complete an order of groceries, now over an hour! DON'T WASTE YOUR TIME. You must search for each item now as you try to remember your favorites",1,2,1610538220000,,,Walmart +6e674000-b41e-4524-8918-a66a6808eb3c,"The update takes some time to get used to, but once you utilize the filters and play around with it, it's very easy to use. I havent had any experience with having having scan items in store, so I can't speak to that like some others have. Overall, I prefer the updated app over the older version.",4,0,1633903948000,,,Walmart +c0ebb4bd-76ef-43c4-99d2-35350c789b96,"the glitches need to be fixed, every time there's an update the same glitch happens. it takes too long to acknowledge you have pressed ADD and or you pressed the add more button. It takes forever. please fix this. oh yeah this happened to me every time in the ""Your Items"". also I went to look into the fresh produce tab and it didn't acknowledge at all that I pressed see all tab.",2,6,1617095006000,,,Walmart +ad2649b7-f4d1-46a5-97de-f8e82f26b94b,Terrible with the Delivery! Substitutions without a choice of what I'd prefer! Substituting items with those that are not the same quality or sometimes not the same at all. No shopping apps are perfect but I prefer communication with my shoppers who do their best to make sure I'm satisfied. Need to Rethink this whole shopping and delivery and go back to the drawing board.,4,40,1678560595000,Thank you for voicing your concern about our Online Grocery Pickup service. We would love to get more information into what happened. Please contact us at walmart.com/grocery/help,1680211737000,Walmart +f20b04a0-24f0-4734-b58d-3fe664bf6df4,Prior to the W+ rollout the ap was great..delivery was great all 5 star. Since the roll out its nothing but problems! First couple orders were missing all fresh and frozen foods. But that was when I could actually PLACE AN ORDER! Now I spend hours building my card and go to checkout and its all gone except for the first 4 items. This is a horrible way to run a business...you lost a good customer...i will never recommend this ap or service again. This is not a time to be offering poor service!,1,0,1604871677000,,,Walmart +81ba2850-2dd7-44ef-97c1-c849fe711825,"Horrible! This is without doubt the worst update ever. I wish I could give negative stars. I can no longer find half the items I want and when I do, it wants to ship the item to me instead of allowing me to pick it up or have it delivered. Not to mention taking away the ability to find things while physically in the store. If the app isn't fixed by the time my Walmart+ is up for renewal I will not be renewing because the app is now mostly useless.",1,58,1628399678000,,,Walmart +fd03084a-cd5e-4af5-9332-6a8772680bd9,"This update is terrible. The app experience is terrible. You can no longer see your lists inside the app, it forces you to the web. Why would I want to be on the web...that's why I'm using the app. You can't save anything to your list anymore. Searching is terrible. This app is needs to go back to the previous version!",1,1,1632019287000,,,Walmart +b358ae96-3397-4c72-942f-93e878340f98,"there is an option to show only shipping. This option does NOT work. I have to sift through tons of items to find ship-able options. Super annoying. Further, there are some items that say shipping is available, but when I add it to the cart it goes into the pickup portion. There is no way to select a shipping option. Also annoying, especially for being in a place with no real grocery store. I think the prices are different (higher) online than I the store too.",3,298,1678497882000,,,Walmart +98b6c232-77dc-4b35-a4c9-c24a841d4dd4,"The app is great, when it works... It times out on me unless I have at least 3 bars of service. My signal is only 1-2 bars in most of my home, and this app times out constantly and gives the error that there's no network. But everything else will work fine on my phone, it's just this app. Please fix this!!!!! I keep my phone and the app updated, I restart it, I clear the cache constantly, nothing I do helps.",1,21,1670196696000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your issue with our App Development Team. Please provide with more info at https://survey.walmart.com/app,1670203785000,Walmart +06435317-d888-4551-8497-868d5e3bd003,Now it's far worse. There is no track order function although there is a selection. No longer alerts it's on the way. Items are left at the door including refrigerated and freezer items that will be spoiled if you dont constantly check App says it's in process and it was delivered hours ago. Very slow not as user friendly as it used to be and good luck finding where you report missing items for a refund We're switching to another store.no more Walmart,3,0,1633052207000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1637020677000,Walmart +31f5a94b-cc9f-4655-8440-715d66b0d2a7,"This app is great and so easy to use. I use the pickup option and it saves me from going inside when my kids are misbehaving. I like how I can choose a time to pick up and the groceries are usually ready before the time I chose. If I can't find something inside the store, I open the app and type in what I'm looking for. It leads me to where I need to go instead of having to track down an employee.",5,6,1656103812000,We appreciate your review and kind words. We're so glad our pickup service could help you! Thank you for shopping with Walmart!,1674703754000,Walmart +22967af9-5134-4c51-a822-3f7d95896f47,Almost everytime I order through pick up the fruit and vegetables are rotten already. I dont know if they give the pickup customers the rotten stuff or what but it has happened like 5 times. Also the search bar NEVER works on the app. Everytime I type something in and hit search it just goes to the home screen and I cant search specific things. It takes to long to find the stuff I need!! Please fix it!!!!!,1,15,1669183101000,Thank you for voicing your concern about our Online Grocery Pickup service. We would love to get more information into what happened. Please contact us at walmart.com/grocery/help,1669669244000,Walmart +988fadc8-b0d5-4fad-ae5b-d8a5a46a6895,"The app is very badly set up in order to place an order online, to deliver from store, or to pick up in store. These options should be completely separate tabs in the app and search results in that tab showing ONLY items for that option. It is SUPER unhandy and SLOW to have to manually check every item's listing to make sure that it is compatible with my choice of delivery/pickup. And even then, I get to checkout and have to go re-add items because they are pick-up or categories i don't want!!",2,22,1652995361000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1654230889000,Walmart +cb2d7dad-641e-4774-aedd-c3f94333a200,"Well....you really screwed the pooch this time Walmart!! The app was great before this last update. Now everything is jumbled together. Grocery pickup is tangled together with online orders. If I'm ordering for grocery pickup, I don't want options for online fullfilment, that's just dumb. Change the app back to when it was good, and do it quickly!!",1,1,1626645090000,,,Walmart +6bf4dca8-1fac-46cc-b35e-e91bd28f3e9e,"I used to love how easy this app made my life, but when they merged the apps, it got SO SLOW. Now the new updates have made it even worse, if possible. The app keeps kicking items out of my cart, almost every time. I've tried reinstalling, and it's just hopeless. I'm switching to a different store for pickup, because this app is NOT saving me time at all!",1,863,1603827210000,,,Walmart +a657bfa9-5d97-4026-a43e-1687ddf1f5b0,This app is extremely glitchy! I have had uninstall and reinstall several times. Sometimes I will put $100 worth of groceries in my cart and when I go to check out it deletes almost all of it. The worst thing is that I cant choose not to use it. You'd think with a multi-billion dollar company they could maintain an app that functions properly.,2,1,1609548011000,,,Walmart +11d796b3-09c9-4658-adf8-d08d43c770fd,"This service and app is falling short. I hate that items available for shipping only are included in the search when you're shopping for pick-up or delivery. Furthermore the shipping is unreliable. 85% of the time it's delayed. I tried Walmart plus for delivery, and I was delivered the wrong order 2 hours late. Expect more from big corp. like Walmart but they have a long way to go to compete with the convenience of Amazon.",2,23,1657427986000,Thank you for voicing your concern about our Online Grocery Pickup service. We would love to get more information into what happened. Please contact us at walmart.com/grocery/help,1658020728000,Walmart +5a5dfc4a-9e11-4597-888c-71608c1712f8,"Ordered a webcam that was listed as in stock, paid, got confirmation of payment and an email telling me they would get my order ready and lmk when it was good for pick up... 4 hours later I get an email telling me it's no longer in stock and I would have to wait 3 days for pick up.. there is no way to complain on the walmart website that I could easily find.. I wanted to see if I could switch stores so as to pick it up that night so I could use it to stream my twitch account. very frustrating!!",1,0,1576625949000,,,Walmart +cfe8638e-3955-4d72-9c84-52734d5cee7a,"the new look is great but i don't like the new ordering method. Edited: it wasn't the scanner feature, it was the delivery for my groceries where some of the items were going to be shipped instead of delivered. I'm not going thirsty for several days while waiting for my groceries to show up. That's what delivery is for. Update: i already sent the contact to that email but have yet to receive a reaponse. Will send again.",3,8,1639693388000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with filtering between Pickup & Delivery vs. Walmart.com. We’ve shared your experience with our App Development Team. New app features each week based on customer feedback. Please contact us at https://survey.walmart.com/app for any additional feedback.,1639693182000,Walmart +376714f6-fbe6-404a-af46-4c61fce291d0,"Update: Still one star. Now, I can't see my open grocery order in the app. I typically enter my orders through the website and manage via the app, but this latest change is not showing me my latest order. And I have had issues recently with the check in feature. Overall, still not a great and reliable customer experience.",1,10,1630099635000,Thank you for sharing your experience with us. We are always looking to improve the user experience. Please contact us at walmart.com/help,1630538242000,Walmart +4f63fcd4-a1fd-445a-9086-8ccd32aaf9e1,Haven't had problems with the app and it lets you use PayPal to pay for your stuff. It's great when you want to find something in the store because it tells you the isle number or if you need a price check. Its a good option for introverts or people with social anxiety. or maybe you just hate people in general. The only downside is the pop up for their memberships everytime you open the app.,4,4,1690652464000,Thanks for using the Walmart app! We appreciate you taking the time to rate us!,1690653190000,Walmart +d0137ad7-4739-43d9-ad1c-3fbf7e061148,"This app is awful. It constantly move things around, says items are not in stock when they are, and vice versa. Every week when I try to order my groceries there are issues at checkout also, where I get an error to check again later and it persists for hours each time. Just now, my entire cart said it was out of stock, even basics like milk. The only reason I gave it 2 stars instead of 1 is the convenience of having groceries delivered.",2,223,1630788691000,"Thank you for sharing your honest feedback with us. We sincerely apologize for the issues you've encountered with app while trying to place a Grocery Pickup & Delivery order. Your feedback has been shared with our App Development Team for further review. If you need further assistance, please feel free to contact us at appsupport@wal-mart.com",1632264738000,Walmart +569c5829-2ec1-47f4-9ffc-8def7d279331,"I'll delete the app before i update it on my android. It auto-updated on my iPhones. Every update on that platform, I've been hoping that ALL of the problems would be fixed. Reverting back to the old version, like version 21.12, and make security updates, would fix the problems. I used to recommend the app to people. How the app currently is, it is nearly useless. Whoever approved this version should have their credentials looked at. Subcontracting to the lowest bidder isn't always the best way.",1,1,1633131564000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly. +",1637343419000,Walmart +406a6177-9e86-46af-855c-c1d3787cac5e,"Great if it works! Since updates, you can barely use the app. You put a few things in your cart from the home screen options, but when you go to your list or favorites it's just a picture show of what you can't add. I then have to login via my browser to finish my order! This poses its own issues because half my items say not eligible for pickup?? Why is butter not eligible??? Ugh.. I guess ill keep shopping via other store apps to get the remainder of my groceries. Your loss Walmart.",1,18,1617482617000,,,Walmart +bf780b0b-179d-4435-ba88-11315b38e3b5,"Walmart delivery services have vastly improved! And, of course, they offer an enormous selection of products. I no longer own a car, so Walmart deliveries are really great. My one complaint is that Walmart sends some items on dates I haven't selected. This means having to stay home a few extra days until all items have arrived -- WM is improving their notices by sending a range of dates ahead so customers can plan ahead in order to receive all items. Not perfect; but it helps!",4,34,1687814846000,"Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app. Please reach out to customer care at walmart.com/grocery/help for issues with grocery pickup and delivery. If you have feedback for the app, you can contact us at https://survey.walmart.com/app",1687815798000,Walmart +0603aed5-6bd1-4fd0-900f-81db5e8bcd86,Extremely hard to navigate. Paperback books listed with potato chips and huge lists for groceries that require shipping not delivery. Why would I want that for groceries???? The cost is too much for the service you get. If you don't shop fast enough you lose your delivery spot and will likely have to wait until the next day to get your order. There are better services for less without the hassle,3,0,1630020062000,,,Walmart +367e834a-26cb-4d64-874f-39c0c3f2d55a,"Rarely works. Can't put in a pick up order anymore, in the app or the website, can't contact customer service through chat because it just randomly stops showing the agents replies until they finally leave due to inactivity. I ordered items that aren't available in store, entered my new address, and it still sent to my old address. Walmart makes billions a year. I think they can afford to fix their app. Guess I'll just shop at Hyvee and order from Amazon.",2,2,1618788110000,,,Walmart +fff15b6f-e6ee-4a1e-9691-5ec20611a2d5,"I arrived for my first pickup order, went into the app to check in and there was a message that my order would be 2 hours late. I don't understand why they didn't text me about that beforehand. I used the app to cancel the order and got a message that I might be charged anyway. I got that message via text, by the way. What the heck! First and last time using Wal Mart pickup!",1,2,1677049143000,"Thank you for sharing your honest feedback with us. We sincerely apologize for the issues you've encountered with app while trying to place a Grocery Pickup. Your feedback has been shared with our App Development Team. If you need further assistance, please feel free to contact us at https://survey.walmart.com/app",1677108328000,Walmart +cb24f4dd-4801-4c83-84aa-d5ae4e9754a3,this app has a few things that still need some work to it but I will recommend using the app if you are not able to get physically to a store to get groceries or whatever else this seller has to offer to either pick up the items or deliver to your location. this whole system is still in a very rough place and for those times that you do get the order. unfortunately I have experienced them cancelling my order to drivers stealing them from me and I have cameras mounted outside watching it happen,3,7,1689971395000,"Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app. Please reach out to customer care at walmart.com/grocery/help for issues with grocery pickup and delivery. If you have feedback for the app, you can contact us at https://survey.walmart.com/app",1689973823000,Walmart +a2fb2823-715f-48b5-a252-e36fed2519d4,"Delete this and use Amazon. Their customer service is total garbage. Amazon's is 1000 times better. Most items are sold by resellers and they don't ship well it offer customer support. Walmart doesn't care either, at all! Amazon has resellers too but they take responsibility if anything goes wrong. Also, the Amazon app is way better... Walmart app doesn't have many features in the app and routes you to their website instead.",1,0,1580632298000,,,Walmart +d26a6176-f5b4-4315-921b-8b7b3e86363c,"Great service, great time openings, however often out of half the things I order, especially dinner items. It doesn't do you much good to get part of your dinner items and not receive the other. How can you cook dinner with only half the ingredients? Also when they give you something wrong or something bad you have to go through a lot of trouble just to be refunded back the money. I still love the service though.",4,11,1636265684000,,,Walmart +b7ec6852-59de-4a40-a45a-752fc127ca1d,"its slow to load, and sluggish after it finally opens. Money Center app should be integrated into the primary app. as well. Overall its a very handy app.. I'm sure many features go mostly unused because shoppers just aren't aware of them. I add any receipts with a potentially returnable item on it to my purchase history. Lost receipts will no longer get me a gift card or exchange. Yeah! Use the price check when NOT in the store to see Walmarts price. Lots more! A GOOD APP!",3,28,1551020171000,,,Walmart +7e014659-e8ea-4f68-a3ec-efb09faa4b99,"I have all notifications and communications turned off, but over the last few weeks I have been getting random marketing notifications sometimes multiple times a day. I am almost at the point where I cancel walmart+. With every notification I check all of my settings to make sure I didn't miss any. Silly me, I haven't. No notifications means I do not want notifications. Fix your API.",1,54,1684715155000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your issue with our App Development Team. Please provide with more info at https://survey.walmart.com/app,1684776788000,Walmart +ea9c4447-361b-4bcd-a4ec-471f0a935334,"This app has alot of issues!!! I see ""experiencing technical issues"" more than I see stuff to buy. It is constantly crashing. And the in-store quantity for pickup items is not up to date on the app. Will have plenty in-store but will say out of stock and vice versa. Also not all items in the store are even offered on the app. It's ridiculous to be this frustrated trying to shop on an app. Step up Walmart!!!!!",2,15,1656473685000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1657686842000,Walmart +902b487a-ba68-4c37-b06b-c92e928b0469,"The app worked great until about 3 weeks ago. Now it's a struggle to put items in my cart for the grocery pick-up. Most of the time it takes forever to get it to add an item, once it's finally added within a couple of seconds it removes it from my cart.... Not to mention when I just give up and decide to go ahead and schedule a pickup time. It keeps telling me that that time isn't available when it is, or that my time to check out has expired when I've just put in the time. Please fix the app!",3,489,1603869509000,,,Walmart +cf320381-e546-407d-9def-7b90b20f269c,"The new update is horrible. I used this app for grocery shopping and pick up. Now we can't browse by aisle/department anymore since everything is integrated. Each and every search for an item requires a toggle to ""in store"" just to know what's actually in our store. Additionally, the pharmacy integration is gone. The new app looks fresh, but it's missing too many capabilities that made the old one so great.",1,116,1640627657000,,,Walmart +6ce6bddb-5404-45b7-a666-a8d38763a127,"Worst app ever! Wish I had the option for a ZERO rating. When I use the app to submit the refills I'm required to put in my birthdate for each individual med. The process takes forever. At the very least, I'd prefer to enter the info manually, but am forced to use the scroll feature. Lastly, I get a text for each med ordered. I can call it in faster. The phone system only requires one birthdate entry and I get text for all the meds that were filled with the entire balance. Why bother?",1,0,1554194595000,,,Walmart +05a7ee6c-f588-4f99-96b0-80ae39342991,"MUST HAVE APP. the BEST ways to grocery shop. delivery or pick-up. reliable update information about what's in-stock inside each Wal-Mart store near or far. No crowds. No unnecessary purchases. because YOU and I know that Wally world has EVERYTHING. accepts EBT(food stamps), debit/credit, gift cards and other forms of payments. the app is very user-friendly. so, at thee least.. try it. and if it's not for you.. then uninstall it.",5,14,1664739353000,"We appreciate your review and kind words. We are so glad our pickup and delivery service could help you at this time of need. Thank you for shopping with Walmart! +",1671176680000,Walmart +dafacf95-38ce-4050-a184-2d4609007948,"Hello, the newest update really rendered the app useless. Now, I can't scan items in store to see the current price in store. I can't share links for items from the app, and last but most definitely not least, I can't add anything to my lists. Idk who was in charge of the new look but they were pretty short-sighted and seriously screwed up everything I loved about the old look. Please for the love of whoever you worship, fix this!!",2,1,1634537482000,"Thank you for sharing. We are rolling out a new app. We're updating the barcode scanner feature for price checking items. For accurate prices while shopping at your local Walmart: Enable your precise location within the app. Then we can show you accurate prices based on which store you’re in. Contact us at https://survey.walmart.com/app + +",1642017798000,Walmart +3a99c1ff-a405-46ac-8c9a-c4bb9ed82331,The tracking seriously needs to be fixed. Sometimes it doesn't work at all. The app itself works great. Tracking for delivery from store is seriously messed up. I won't be using the delivery from store option anymore. Twice now they have had problems delivering my orders . Please fix issues because I'm tired of waiting longer to get my orders. I never had an issue with delivery orders until recently. Can't always get to the store so the problems are a serious issue. Please fix,3,41,1693970020000,Thanks for using the Walmart app! We appreciate you taking the time to rate us!,1658968427000,Walmart +66afaabf-d883-41b6-a754-986c45cfec89,"I was at the Kennewick Walmart shopping. Scanning went fine. What was wrong is all scanners were taken out storewide forcing people to use the Walmart app to find the prices. Not everyone has the app. I don’t buy items that doesn't have a price. Items were in the wrong place with no price. If you don't have the app you have to hunt down an associate, there's rarely one close by to ask questions. When there's one around they are helpful, polite & will take you to it.",4,0,1671600478000,Thank you for sharing. We are rolling out a new app. We're updating the barcode scanner feature for price checking items. For accurate prices while shopping at your local Walmart: Enable your precise location within the app. Then we can show you accurate prices based on which store you’re in. Contact us at https://survey.walmart.com/app,1674958113000,Walmart +aacd8780-ddc5-468f-b203-115c53e5c973,"Used to have the savings catcher whitch was Awesome. They took it away. They update the app way too often, annoying! Difficult to navigate, I had/ have to get help from customer service. Cool you can check prices with it even at other stores. Walmart has become a last resort for us so I never use app anymore. Walmart as a whole needs to do some corporate restructure & put customers & employees back as a priority.",1,20,1594469660000,,,Walmart +98e40daf-9fbc-4a77-a317-b296a33101ac,"Evidently Walmart no longer honors their own prices on their own website. I needed to change my headlight. I'd verified on the Walmart app that the store had stock of the item. When I got to the store, the auto dept had just closed. So I had to get someone to open the case. When I got to the register the price was different by about $1.50. I went thru 3 different people to be told it can't be adjusted! So I bought the item twice just to get the price showing online. Very inconvenient Horrible!!!",1,36,1683970434000,"Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. Please reach out to customer care at walmart.com/help for issues with pricing issues. If you have feedback for the app, you can contact us at https://survey.walmart.com/app.",1683971150000,Walmart +fa1cd19e-d7e2-4cbd-8972-e2e48fa6eb95,Terrible update. Used to be able to easily separate pickup order / online order / in-store as well as see what is at both my local store and nearby stores. New update makes that almost impossible as well as made finding my grocery pickup items a lot more difficult. Please go back to the way it was and have a usability specialist look at it before you take the programmer's word that it is good to go.,1,27,1632624363000,,,Walmart +01dedd68-7683-4585-bbac-cb887a361781,"This app used to be awesome! It used to work without any issues. Update it once and it stops working all together. Update it again, no change. Force stop it, no change. Uninstall and reinstall, no change. Close it and try to open again, no change. Update my phone, no change. The app doesn't open no matter what I do. So until it works again, I'm keeping it Uninstalled and keeping this review.",1,0,1671059004000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your issue with our App Development Team. Please provide with more info at https://survey.walmart.com/app,1671059495000,Walmart +854be030-3787-4027-816c-2ee4ea64b7fc,"You go to the store looking for products the app shows they have in inventary. No way, they have nothing left. Another thing, you order using the app and they make you go through different stores to find that product, they charge you and everything and then 3 hours later they cancel your order because they are out of stock. If I could give -1000 stars, the world would be a better place...",1,2,1651458191000,,,Walmart +3846cd66-f3d7-4080-8d83-167dadc3099a,"Won't clearly state until checkout if an item is unavailable for delivery. Worse, though, is how they'll just cancel your order if they can't ship when promised (without asking if delays are OK), so you're left to reorder but *rack up another $35 for free shipping again*. That's absolute theft. Can't send it when promised? Fine, send it later, but don't cancel it when your purchase model requires a minimum order. Walmart sucks and I wish it wasn't a necessary part of life.",2,7,1622530143000,,,Walmart +a5469422-d5cb-420e-833b-50f14919f974,"I had no idea Walmart's online store had so many options, I recently went looking for a case for my phone, typically they are between 30 and $60 for a Samsung Galaxy Ultra 22, I found the coolest case with a wallet that magnetizes to it for less than 15 bucks. Really just type in what you're looking for in the app and keep scrolling, it seems Unlimited, there are a bit of duplicated items, but watch the prices go down as you scroll.",5,4,1672529885000,,,Walmart +2dc268f0-d48c-429f-bf5a-782a596ecb7e,"This app just keeps getting worse and worse. It's like someone is trying to destroy it. It used to be good, but with every update a feature goes missing. I used to be able to share links to products. They got rid of that. I used to be able to access my lists through the app. Now I get directed to go to a browser and log in. I'm pretty sure I refilled a prescription using the app, and now I get directed to a browser to login to their website for that too.",1,3,1636226728000,"Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. We’re working on adding lists to the app soon. Meanwhile, you can still create and edit your lists on web. Please contact us at walmart.com/help for any additional questions. + +",1638288120000,Walmart +ae135429-8776-4a6d-9e7a-28a2c21acfb9,"The app is glitchy, I couldn't use scan&go because it froze the checkout stations, delivery takes too long(paid or membership). pickup takes too long (3 hours ?).You missed the mark and your tech is lagging. This was a headache on trial, I won't pay to be disappointed. Also, its not worth the cost- more of this suff like scan&go should be free. Even on things that are free like Walmart pay, the app is glitchy. Don't waste time paying for this- U***🚘 is $3 less per month and includes take out",1,0,1630725870000,We are sorry to hear you are having issues with our app. We would love to get this resolved as soon as possible. Please contact us at appsupport@wal-mart.com,1631939863000,Walmart +e9de24ee-b1d2-4e3b-b8f6-ef115aa74f66,"This app functions smoothly on my phone, but is plagued with bad information, like much of the Walmart shopping experience, making It practically useless. For instance, some items are reported by the app as being in stock, when they are, in fact, not. When I asked an associate, he said ""you can't trust the app.""... So, there you go, folks.",2,1,1545653189000,,,Walmart +89e881dc-4cde-4a57-bdc5-f5625a63a7aa,I am so happy about being able to order groceries and other products then either pick them up or have them delivered. I'm also excited about having a lot more items to choose from vs just shopping in the store. I've noticed that the pricing is lower too on the online items. I buy a lot more things at Walmart than I used to and it's well worth it.,5,4,1675417680000,We appreciate your review and kind words. We are so glad our service could help you! Thank you for shopping with Walmart!,1675420185000,Walmart +af3b78c6-4f34-4d19-9e71-b0e02df4e8ea,So many things come up as out of stock on the app for pickup. But you go into the store and it's right there. I've also seen a lot of brands being pushed at you when you search for a specific product. It's not out of stock. It's just pushed down in the search results. It feels like corporate bullying and it's extremely inconvenient for placing pick-up order.,2,2,1685824612000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with product availability within the Walmart app. Please contact us at walmart.com/help.,1685904300000,Walmart +034a344e-c39f-410a-9639-835e5b601fe3,"The new app is not user friendly. It is difficult to order anything for pickup. Why would you merge shipping and picking items? If there was an account option to default to both, pickup only, shipping only, delivery only, that would be helpful. Also disappointed that everything on my list is now gone.",1,1,1631849016000,,,Walmart +ebd474c6-4154-487c-91bc-9020dbb66840,"When Walmart first came out with online app it was great! Certainly helped disabled & elderly to be able to purchase needed items easier. Unfortunately the last update caused Walmart app problems. When I make changes within the local order & try to update, I get message that ""Walmart is experiencing technical difficulties"". Walmart as a Fortune 500 Corporation you can afford the top program Developers! Your customers are depending on that! Please fix this problem!",2,2,1632428409000,"Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly. +",1635037498000,Walmart +20471f6c-ab3c-4584-a5bb-718ac458ae05,"One of the worst unintuitive updates I have ever seen. The user experience is made so much more confusing since the last update, because of them deciding to have everything together be it in store or only online, whether it's a Walmart item, or one of their marketplace sellers. In theory, this should have been a good update, because it makes it way easier to reach the free delivery price of $35, which makes this that much worse and bittersweet.",1,92,1625984356000,,,Walmart +c2b6e396-84e8-462e-8d38-c640d9706a24,"The all new app is complete trash !!! They have taken something that was decent and useful and made it into something that is totally confusing and useless!!! Almost everything in my cart either now has to be shipped or is no longer available for pickup at my store or anywhere near. If Walmart was looking for a reason to make me spend less money with them, they just found one!!!!",1,202,1631261737000,"Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. Please reach customer care at walmart.com/help for issues with fulfillment of your order. If you have suggestions for the app, you can drop us an email at appsupport@wal-mart.com",1633141617000,Walmart +18f15056-7e09-43a3-86ca-f02f77ae192a,"After 30 minutes, it is still buffering. No problems with the old one. So, two hours later still no download! Maybe Amazon will be getting all my business now. Very aggravated! Update: Day 2 of trying to download the app. Walmart, you are better than this!! I have tried to install this app for over a week, but still unable to on my S9. The old one worked fine, why did you change it?? Please try to fix this app!! Amazon is much easier!",1,0,1604895869000,,,Walmart +27fabeec-dd61-460b-abb9-3e5f429bf2eb,"The updated version is awful. You can no longer add to list. You can only add to cart. Why would you take away the favorite feature? I like to search items, favorite them, then decide if I want them later. Not add them to my cart. You are only doing this so people accidentally purchase the items. You are shady Walmart!",1,2,1631633402000,,,Walmart +a8aff630-240b-48c0-9f10-c0e7fe27fa2f,"The app organization has improved over time, but I still have trouble sometimes finding an item in the size or variety I'm looking for. Otherwise, it's very convenient, easy to select pick-up times, easy to check out. There's an option for picking, approving, or declining substitutions, too. Overall, I'm happy with the app and service.",4,395,1693976160000,"Thanks, Luci, for using the Walmart app! We appreciate you taking the time to rate us!",1693991344000,Walmart +f30ce93c-e838-463a-8e6d-251e32e14728,"The Wal-Mart+ delivery section used to be a separate tab so you knew you were shopping for just delivery items. Now it's all together so to really have to pay attention to each item to make sure it says ""delivery"" under it. Otherwise at checkout you'll be surprised that several of your items say ""2 day shipping"" instead of the delivery time you selected. I might cancel my Wal-Mart plus because it's so inconvenient.",2,0,1631822720000,"Thank you for sharing your experience with us. As you may have noticed, we are in the process of rolling out a new and improved app experience to make shopping easier. Please reach out to customer care at walmart.com/help for issues with fulfillment of your order. If you have suggestions, you can drop us an email at appsupport@wal-mart.com",1633660267000,Walmart +e431c81a-1218-48e1-839e-d5ebbc519bb0,"should've left the app as is. The updated app sucks. The ability to SAVE items to my list was taken away & requires use of the website to save anything. Why have an app if the website has better features than an App. Price scanner rarely gives the correct price when in store, even using store wifi. App defaults to random stores, even though I signed in & have saved my store numerous times. App has poor abilities to show in stock items. Several items have shown ""Out of Stock"" when they aren't.",1,8,1635385896000,Thank you for sharing. We are rolling out a new app. We're updating the barcode scanner feature for price checking items. For accurate prices while shopping at your local Walmart: Enable your precise location within the app. Then we can show you accurate prices based on which store you’re in. Contact us at https://survey.walmart.com/app,1651010452000,Walmart +660e67a3-dbee-4fad-b4a6-740824e3f05b,I have been using the app for a long time. It was great for delivery. Then they switched it so everything is in one app. Now I waste time having to constantly refilter for delivery only. I don't like the change. I want an app just for delivery (not shipping) I also want the prices to accurate again. Please fix the app.,1,14,1631249821000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with filtering between Pickup & Delivery vs. Walmart.com. We’ve shared your experience with our App Development Team. They release new app features each week based on customer feedback like yours. Make sure you check for app updates regularly.,1633127224000,Walmart +1bf2c60a-0299-4f58-9846-b16582340c09,"Original Review in July of 22'! Updated Jan 20, 23' with same issue still not fixed: App developers posted back on July, 21, 22' that they were rolling out new app to fix the bugs, which didn't fix anything. App developers suggested turning on location on my device for accurate pricing. But Barcode scanner still won't focus to scan barcode & stores not pricing shelf, 6 months after original review on the very same issue! You would think that they would have fixed this issue in the last 6 months!",1,5,1675809996000,Thank you for sharing. We are rolling out a new app. We're updating the barcode scanner feature for price checking items. For accurate prices while shopping at your local Walmart: Enable your precise location within the app. Then we can show you accurate prices based on which store you’re in. Contact us at https://survey.walmart.com/app,1658444909000,Walmart +1de49eaf-0bac-448b-9f39-7db8ceebf6a9,"Items I put in my cart keep disappearing. Most of the time I'll catch it while I still have a chance to add-on to my order which is only mildly annoying, but sometimes I won't notice until after I get my order home and unpacked which is a major nuisance! At first I thought I was really just forgetting or maybe I meant to add it on, but didn't so I started writing down things as I add them and reviewing my cart carefully. Items are not being added or disappear after they have been added. FIX IT!!",3,16,1602968849000,,,Walmart +1315f598-d0f5-4636-a431-35b03233dd9b,"This app doesn't save my items to my cart. After shopping for over an hour, I went to check out and the items I'd added weren't there. I started over since I knew exactly what I wanted and the same thing happened. I installed and reinstalled and it does the same thing. I ended up just getting everything from Amazon. This is one of the most frustrating apps I've ever used.",1,0,1566681938000,,,Walmart +ca345d9f-605c-4a16-8ae3-efb2463924c1,I'm not sure anyone else has this issue but nothing is scanning correctly. Everything I scanned from the clearance aisle shows the original price or the item is not sold in-store while the clearance section and register list what's on the clearance sticker. I'm familiar how to use the app and making sure the location is correct. Please fix it,1,2,1658783927000,Thank you for sharing. We are rolling out a new app. We're updating the barcode scanner feature for price checking items. For accurate prices while shopping at your local Walmart: Enable your precise location within the app. Then we can show you accurate prices based on which store you’re in. Contact us at https://survey.walmart.com/app,1658800624000,Walmart +f578ad59-3845-47c1-b7f8-a193d3430941,Initially I got frustrated with the app. However the app performs exactly as it is supposed to. Also if you have the groceries card EBT OTC you can put the cards in one time and it automatically separates everything for you. It makes online orders easy to pick up. There are pages upon pages of the same product. This can make it hard to find a good deal. However from what I understand Walmart has an excellent reputation for price matching. I just got to figure out how to use it in app.,4,606,1664951107000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with product availability within the Walmart app. Please contact us at walmart.com/help.,1664918412000,Walmart +b39e12e4-2daf-4597-b7cb-6f8080be615e,"Good app, however, quite annoying due to the fact that when there is an order ready for store pickup, the app opens the""check in"" features, and also activates location tracking. There is no way to clear this without restarting the phone. The developers said they fixed this issue, however, it is now doing the same thing again.",1,6,1665875764000,Thanks for sharing your experience with us. We’re sorry you’ve had issues with curbside check-in on the app. Please provide our Mobile App team with more info at https://survey.walmart.com/app,1664424498000,Walmart +7d22f682-8a03-4f2b-8348-2d6395e79430,"Ordered 3 items which will be shipped and delivered on three consecutive days. I wish there were a place on the order/checkout where I could indicate that all three could be shipped together. I have no urgent need for these items and would gladly wait until all could be shipped together. This surely would have saved time and money for Walmart and, ultimately, the customers.",4,3,1721690400000,,,Walmart +5bab1eb6-af0e-485b-b491-15eaa1fec1df,"If we are forced to use the app to check prices in store now, then why doesn't the price function work very well? 95% of the time it just spins and never finds a price. I have a newer phone and it happens in multiple stores in different cities. Really frustrating, but otherwise the app seems to work well.",2,5,1721713386000,,,Walmart +4668d23d-7740-40d7-bcc8-333e397267d8,"I order for pick up on a regular basis & I'm never unhappy. My items are brought out quickly, staff are always pleasant (even in 100° + weather), I can find anything I need for deliver, pick up, or shipping). Prices are better than anywhere I've looked (& I'VE LOOKED!!!) In this economy I'm thankful for that!",5,2,1721605116000,,,Walmart +8c93879a-e8bc-48de-ba63-9898b0a72455,"This has been the worst experience ever ! Every order I place gets canceled! I've spoken with customer service I don't even know how many times now and every time I'm reassured everything should be just fine! I've waited for the go ahead and order emails, waited the 30 mins, waited 24 hrs and this last time I waited well over the 48 hours! All to just be canceled!! Both my orders are under $40 so it's not like I'm trying to do thousands of dollars of fraudulent activity! Would NEVER recommend!",1,7,1721510581000,,,Walmart +a462aa3d-f38d-4822-8102-cff4dfd173d7,"I try to scan items to check pricing in store and all I get is a loading icon. I am not trying to scan and go. I am just trying to check prices. I have un-installed and reinstalled the app multiple times. I also have restarted my phone multiple times. When I first downloaded the app, it allowed me to check prices and just recently it stopped allowing me to do so",1,2,1721788394000,,,Walmart +76165aef-a70a-4355-b8bb-f07334208da4,I absolutely hate going to Walmart so the Walmart app has really helped a lot to avoid going there again. on the down side I don't like how there's a 200 maximum items allowed in the cart. also the app will have major problems and it's been difficult to delete items from my carts as well at times.,4,0,1722430249000,"We'd like to dive deeper into the issue you mentioned with our app, Breanna. Please share more details with us at https://www.walmart.com/help for assistance.",1722474568000,Walmart +a784b59d-ff28-447e-bd6e-0360f9277030,erase my starting to 3 because of the quick response and I've emailed the email address cuz I couldn't seem to be quiet to copy and paste the information to go to help but I'm reserving the additional extra edits and stilWhen I first downloaded the app it worked great but then the search bar quit working no voice search is allowed no searching whatsoever I'm blind and I have to use the voice search and search bar otherwise this app is useless other than it earthing delivery stuff it doesn't work,3,0,1722603036000,"Thank you for your review. Contact us at https://www.walmart.com/help, so we can address your concerns.",1722602326000,Walmart +aa7dc6dc-06fc-4989-baae-3de97b7b6182,except one time. Never had the scan & go work. Understand security. But I'm going to need an associate have to come as they are busy. To check & rescan 3 of 5 items. Just as well go back to cash register. - Hence cutting out the extra time/labor. plus this incentive to buy less. The associate was professional...hence the process.,2,0,1722555635000,,,Walmart +f5b9676f-dd42-410d-86c3-ab8e98d0ce12,"The app itself is good enough. Just have to watch the app pricing. I've seen cost in app be 4x price of same item in-store. Pick up and delivery suck. Esp. delivery. Multiple times have ordered for delivery and with 4+, 6+ hrs, next morning, etc and STILL the order is ""delayed. How tf? Do better!",2,0,1723026082000,"We’re always working to improve our pricing and delivery experience. For any pricing discrepancies or delivery issues, feel free to reach out at https://www.walmart.com/help",1723028920000,Walmart +68e7e06a-a15a-4815-a698-7629a4d8630b,"TIPPING OUT OF CONTROL. This app has delivery available for Walmart+members. They also offer InHome which includes ""tip free"". It should already be tip free by design. Instead, Walmart plus offers a range of tipping amounts and a NO TIP option. Doesn't the plus part cover tips?I've already experienced terrible monthly delivery service from Walmart. Now they want tips? I don't think so. If I choose no tip, who knows what will happen with my order. This is so insulting to customers. DELETING APP.",1,53,1721703986000,Thanks for sharing your experience with us. We’re sorry you’ve had an issue with you're for Pickup & Delivery order being cancelled. We’ve shared your experience with our Pickup & Delivery Team. Please contact us at https://survey.walmart.com/app for any additional feedback.,1657378950000,Walmart +87085858-7757-472c-be50-4b7420e2ed51,"Ever since it had me update the app a few months ago, its given me nothing but problems. It was great before the update, now it freezes up every few minutes making me close the app then get back in. Not even every now and then but every single time I get on the app. Considering I pay for Walmart+ and order from Walmart alot, it is very annoying and incredibly ridiculous.",2,3,1722144335000,We're focused on ensuring the app works smoothly. Share more details with us by contacting us here. https://survey.walmart.com/app,1722404218000,Walmart +de762c2d-6102-4ac6-8eec-6fd998e4e2d1,"It has a lot of conveniences, but I can't use the app to let them know I'm on my way for a curbside pickup, can't let them know what space I'm in, and so makes picking up groceries a bit of a chore. Still easier than doing the shopping myself, but the app doesn't work as it's supposed to.",3,1,1722923927000,"Nate, we want curbside pickup to be as convenient as possible. To assist you better, please share more details with us at: https://www.walmart.com/help",1722926084000,Walmart +f3ce6f72-bb51-4354-b2ac-c4f6fbf28199,"Update 8/9/2024 Fixed Borked app. Idk if an update broke something or what but we have not been able to checkout/purchase anything using this app. Trying to change the payment method is where the app starts being stupid and just refuses to allow us to proceed any further. Unfortunately we have to skip using the app to checkout and need to use the website instead. Has been like this for a few weeks now and isn't just an isolated issue, other members of our family are experiencing the same error.",4,0,1723262482000,"Mike, your experience with the app is important to us, and we’ll actively address the payment method issues. Please reach out to us at: https://www.walmart.com/help",1722407793000,Walmart +d2401715-030f-47d0-9f09-3b2932d40d5c,"I've had nearly flawless experience purchasing with this app. The only issues I've had is with alcohol. They're always ""out of stock"" on Barrio Blonde and Fireball when I arrive to pick up my order. However, when I walk into the store immediately afterward, it's always on the shelf. I'm guessing that the persons bring it out to my car aren't old enough. New issue with the updated app as of July 2024 won't show me what I purchased.",3,7,1721945655000,"We regret the trouble caused to you with product availability while shopping with us, Robert. Please reach us at https://www.walmart.com/help",1711125696000,Walmart +3b77d4e9-54ac-45fc-a6a4-44f2a0ea8fdd,"sometimes pages can be hard to find items, or the availability options sometimes aren't clear unless you open the item page which can be frustrating. but i use this app mostly for pick up service and it's been really great for that so far.",4,3,1721793062000,,,Walmart +f1b6808b-19f4-44ec-9a45-ad3866c34dde,I changed my review from 5 starts to 1 star. In less than 3 months I've had 2 orders out for delivery get sent back to the store because the driver didn't understand how to cross a street. They never answer the phone when I contact them thru the app. I don't understand how they can't find me when the pin drop is literally on my house.,1,0,1723174735000,That's not the experience we want for you. Please contact us at walmart.com/help for further assistance.,1723175690000,Walmart +151ba3c2-108b-42b4-919d-d5657b1d7525,"2 problems. First, said a return could go to store and they said no. I'm out 50 dollars because now the return window closed! Second, latest purchase charges me full price for what I thought was a new item but it's CLEARLY USED AND GROSS!!!! Not to mention that usually a bunch of items from delivery never make it to me. All the time. Either bad pickers or bad drivers. No one cares though. It's up to you to cancel those items and reorder and pray the next time works. Plus gross produce.",1,96,1722378841000,Thanks for sharing your experience with us. Please use the https://survey.walmart.com/app link to contact us if you're having issues with the Walmart app.,1706565487000,Walmart +66882ad3-927f-4397-956d-1bca7caa656c,"I tried the web address but I get an ""uh-oh this page could not be found"". I doublechecked I typed it correctly. But originally I went to the help section and chatted with a rep. No help at all. Seems like you're directing me to the same place. --- Wallet is missing from the app and website. Can't access my payment methods to add a gift card. Hope the gift cards I have stored in there aren't loss. Chatting wa rep for last 30 mins has been useless.",1,0,1723269691000,"We can see how this would be concerning, and we'll investigate this for you. Please share more details with us here: https://www.walmart.com/help",1723268851000,Walmart +e03d46cd-872d-42ff-8661-db7013e3dee8,"I love the app, but now it won't let me pay for my membership. I had auto renew on but it keeps saying payment declined even after manually paying for it. Customer service was not helpful. Great app though I prefer it over Amazon. Update: I attempted to use Walmart app again and all the bugs are fixed and customer service was the best I've ever experienced. Muqadas helped me on my problem and showed professionalism and showed she cared. Id recommend Walmart app for anyone. Thank you",5,74,1721431634000,Thanks for sharing your experience with us. We’re sorry you’ve had issues while using the Walmart app. We’ve shared your issue with our App Development Team. Please provide with more info at https://survey.walmart.com/app,1684259361000,Walmart +df646d52-ff51-4ccc-a046-303b08a45241,"I used to love the app because It's very easy to buy online the grocery delivery is great help and find location of items but now I can't pull up my purchase history. It keeps giving me an error ""Sorry were having technical issues..."" and it hasn't come back up yet. Very frustrating.",3,0,1722752550000,We value your review and will look into this for you. Please contact us at walmart.com/help,1722754897000,Walmart +98c6a925-2389-4fe7-be1e-bef0b329191b,The app will no longer let my husband or I scan things in the store. When we do it just spins and spins. It also makes it so we are unable to scan and pay. We have both uninstalled the app and reinstalled and still have the same issues. Has been this way for over a week. Hoping it will get fixed at some point but not sure what the issue is,1,11,1721764827000,,,Walmart +3003206c-a42f-44d5-9a13-e6e164f6cf77,"great. just don't buy the salad in plastic containers, I always get the out of date or frozen and rotten ones delivered to me. I got sick of calling for refunds, so I just put it in garbage. same with chopped up onions already have the rotten smell. Everything else has been great. I love ordering from WM+ especially cause I don't drive anymore, too expensive. And really nice whenever it's 100° plus outside.",5,0,1723006187000,"Quality is our foremost concern, Rod. Click on the provided link to share more details. https://www.walmart.com/help",1723007956000,Walmart +90b4d145-9d6d-4ee9-9f09-9a6af6e8a8e9,placing my first online grocery order was simple and easy to understand. choosing replacements were a great help as well as choosing not to replace the items! I do wish the delivery times were closer to the order time instead of hours out! Outside of a faster turn around time the process was smoothe!,5,3,1721617810000,,,Walmart +8eee5590-8453-4686-bf15-a9c7fb3fe0ca,I only on line shop when absolutely necessary I've been hacked a few times in the last couple of years. this wasn't my easy experience it took me a while and they keep pushing so many other items after selecting the items you need and also when you make your reservation for delivery time they seem to want to push the express service on you which course extra Walmart has pretty good prices I've been at Walmart customer for many years in other states. I wish there was more items made in America,3,1,1722662860000,Your review is important to us. Please reach out to https://survey.walmart.com/app with more details.,1722664178000,Walmart +fe7b8863-114a-4552-bf0e-ba700396cefd,"I have severe dietary issues and the store is always out of this product. I don't understand why. It's one thing I can eat without a problem. Order more, keep in stock; it's obvious that others like this product too. Theyre not only safe but taste really good. I'm grateful for an online opportunity to get this.",5,2,1722036110000,Your review is important to us and helps us enhance our services. Please reach out to https://survey.walmart.com/app with more details.,1722474636000,Walmart +46a0e9b2-8efe-410d-be83-d6a23b3c3a25,"This app has been great in the past. Recently it has been giving me an error of ""no internet"" every time I use it. I have to retry every search multiple times. All other apps requiring internet have been working fine. This is the only one, so I assume it's a glitch.",2,1,1722671256000,"Ashley, your experience helps us improve! Kindly reach out to us with more information at: https://www.walmart.com/help",1722672160000,Walmart \ No newline at end of file