# GoodAPI — llms-full.txt > Every docs, help-center, and blog article concatenated into one file, > intended for consumption by LLM-powered agents and tools. Generated at > build time from the source Markdown. The plain-Markdown version of any > individual page is also available at `.md` or by sending > `Accept: text/markdown`. Site: https://www.thegoodapi.com Generated: 2026-04-22T22:12:43.065Z Pages: 84 --- # Introduction URL: https://www.thegoodapi.com/docs/api/ Description: Getting started with GoodAPI — integrate tree planting and other impact actions into your product with a single API. ## Why use GoodAPI? Plant a tree after any event in your app — a subscription, a product purchase, or any customer milestone. Showcase your investment in the planet and drive more conversions. Put impact on autopilot. No manual tracking, no manual payments — we plant trees on your behalf and invoice you once a month. Every tree comes with an updated record and a certificate as proof of planting. ## Sign up Create an account and grab your API keys at [app.thegoodapi.com/fe/login](https://app.thegoodapi.com/fe/login). Signup is self-serve — no invite needed. Every account comes with two keys: - **Production key (`api_key_prod`)** — real impact. Trees planted with this key are added to your end-of-month invoice. - **Test key (`api_key_test`)** — behaves identically, but doesn't trigger charges or real-world impact. Use it in staging and local development. Use the keys in the `Authorization` header on every API request: ``` Authorization: ``` Sign back in at [app.thegoodapi.com/fe/login](https://app.thegoodapi.com/fe/login) to view or rotate your keys. If you run into trouble, email [saif@thegoodapi.com](mailto:saif@thegoodapi.com). ## Billing Invoices are emailed to you each month and are payable directly from the email. You can also set up auto-pay from your account. --- # Charity Donations URL: https://www.thegoodapi.com/docs/api/charity-donations/ Description: Search charities, record donations, and list donation history through GoodAPI (early access). Search vetted charities, record donations, and list donation history. All endpoints use the base URL `https://app.thegoodapi.com`. The charity donations API is in early access. Reach out to [saif@thegoodapi.com](mailto:saif@thegoodapi.com) to get enabled. All endpoints require an API key via the `Authorization` header: ``` Authorization: ``` ## Search charities **GET** `https://app.thegoodapi.com/charities/search` Search for charities by name or EIN. ### Query parameters | Name | Type | Required | Description | | ----------- | ------- | -------- | -------------------------------------------- | | `name` | string | No | Search by charity name | | `ein` | string | No | Employer Identification Number | | `page_size` | integer | No | Results per page (1-20, default 20) | | `page` | integer | No | Page number (minimum 1, default 1) | ### Response — `200 OK` ```json { "total_items": 42, "total_pages": 3, "charities": [ { "nonprofit_id": "n_abc123", "name": "American Red Cross", "ein": "53-0196605", "description": "Prevents and alleviates human suffering", "website": "https://www.redcross.org", "icon_url": "https://example.com/redcross-icon.png" } ] } ``` ### Charity fields | Field | Type | Description | | -------------- | ------ | ------------------------------ | | `nonprofit_id` | string | Provider-specific nonprofit ID | | `name` | string | Charity name | | `ein` | string | Employer Identification Number | | `description` | string | Charity description or mission | | `website` | string | Charity website URL | | `icon_url` | string | Charity icon image URL | ### Errors | Status | Reason | | ------ | -------------------------- | | `403` | Invalid or missing API key | | `500` | Charity search failed | ### Example ```bash curl -H "Authorization: your-api-key" \ "https://app.thegoodapi.com/charities/search?name=red+cross" ``` ## Create donation **POST** `https://app.thegoodapi.com/charities/donate` Record a charity donation for your organization. ### Request body ```json { "amount_cents": 5000, "ein": "53-0196605", "nonprofit_id": "n_abc123", "charity_name": "American Red Cross", "idempotency_key": "order-12345-donate", "attribution": "checkout-flow", "metadata": { "order_id": "12345", "customer_email": "user@example.com" } } ``` ### Request fields | Field | Type | Required | Description | | ----------------- | ------- | -------- | ------------------------------------------------------------------ | | `amount_cents` | integer | Yes | Donation amount in cents (must be > 0) | | `ein` | string | \* | Employer Identification Number of the charity | | `nonprofit_id` | string | \* | Provider-specific nonprofit identifier | | `charity_name` | string | No | Human-readable charity name (auto-filled from search if omitted) | | `idempotency_key` | string | No | Unique key to prevent duplicate donations | | `attribution` | string | No | Attribution tag (e.g. `checkout`, `campaign-xyz`) | | `metadata` | object | No | Arbitrary key-value pairs for your records | At least one of `ein` or `nonprofit_id` is required. Currency is always USD. ### Response — `200 OK` ```json { "donation_id": "abc123def456", "amount_cents": 5000, "charity_name": "American Red Cross", "ein": "53-0196605", "nonprofit_id": "n_abc123", "total_donations": 15, "donation_details": [ { "id": "abc123def456", "amount_cents": 5000, "currency": "USD", "ein": "53-0196605", "nonprofit_id": "n_abc123", "charity_name": "American Red Cross", "created_at": "2025-06-15T10:30:00Z", "idempotency_key": "order-12345-donate", "attribution": "checkout-flow", "metadata": { "order_id": "12345", "customer_email": "user@example.com" }, "refunded": false } ] } ``` ### Response fields | Field | Type | Description | | ------------------ | ------- | ------------------------------------------------- | | `donation_id` | string | Unique ID of the created donation | | `amount_cents` | integer | Donation amount in cents | | `charity_name` | string | Charity name (auto-filled from search if omitted) | | `ein` | string | EIN (if provided) | | `nonprofit_id` | string | Nonprofit ID (if provided) | | `total_donations` | integer | Total non-refunded donations for your org | | `donation_details` | array | Array containing the created donation record | ### Idempotency When `idempotency_key` is provided and a donation with the same key already exists for your organization: - The existing donation is returned. - The response includes the header `Idempotent-Replayed: true`. - No new donation is created. ### Charity validation The provided `ein` or `nonprofit_id` is validated against the charity search provider. If no matching charity is found, the request is rejected with a `400` error. When a charity is found and `charity_name` was not provided, it's automatically populated from the search result. ### Errors | Status | Reason | | ------ | ------------------------------------------------ | | `400` | Missing `ein` and `nonprofit_id` | | `400` | `amount_cents` is missing or `<= 0` | | `400` | Invalid request body | | `400` | No charity found for the provided `ein` | | `400` | No charity found for the provided `nonprofit_id` | | `403` | Invalid or missing API key | | `500` | Internal server error | ### Examples **Basic donation by EIN:** ```bash curl -X POST -H "Authorization: your-api-key" \ -H "Content-Type: application/json" \ -d '{"amount_cents": 5000, "ein": "53-0196605"}' \ "https://app.thegoodapi.com/charities/donate" ``` **Donation with idempotency and attribution:** ```bash curl -X POST -H "Authorization: your-api-key" \ -H "Content-Type: application/json" \ -d '{ "amount_cents": 2500, "nonprofit_id": "n_abc123", "idempotency_key": "order-789-donate", "attribution": "checkout", "metadata": {"order_id": "789"} }' \ "https://app.thegoodapi.com/charities/donate" ``` ## List donations **GET** `https://app.thegoodapi.com/charities/donations` Retrieve paginated donations for your organization with optional filtering. ### Query parameters | Name | Type | Required | Description | | ---------------- | ------- | -------- | -------------------------------------------------- | | `attribution` | string | No | Filter by attribution tag | | `metadata_key` | string | No | Filter by metadata key existence | | `metadata_value` | string | No | Filter by metadata value (requires `metadata_key`) | | `start_date` | string | No | Filter on or after this date (`YYYY-MM-DD`) | | `end_date` | string | No | Filter on or before this date (`YYYY-MM-DD`) | | `page` | integer | No | Page number (minimum 1, default 1) | | `page_size` | integer | No | Results per page (1-100, default 20) | ### Response — `200 OK` ```json { "total_items": 50, "total_pages": 5, "page": 1, "page_size": 10, "donations": [ { "id": "abc123def456", "amount_cents": 5000, "currency": "USD", "ein": "53-0196605", "nonprofit_id": "n_abc123", "charity_name": "American Red Cross", "created_at": "2025-06-15T10:30:00Z", "idempotency_key": "order-12345-donate", "attribution": "checkout-flow", "metadata": { "order_id": "12345" }, "refunded": false } ] } ``` ### Response fields | Field | Type | Description | | ------------- | ------- | ---------------------------------------- | | `total_items` | integer | Total number of matching donations | | `total_pages` | integer | Total number of pages (0 if no results) | | `page` | integer | Current page number | | `page_size` | integer | Number of items per page | | `donations` | array | Array of donation records | ### Donation fields | Field | Type | Description | | ----------------- | ------- | -------------------------------------- | | `id` | string | Unique donation ID | | `amount_cents` | integer | Donation amount in cents | | `currency` | string | Currency code (always `USD`) | | `ein` | string | EIN of the charity | | `nonprofit_id` | string | Provider-specific nonprofit ID | | `charity_name` | string | Human-readable charity name | | `created_at` | string | ISO 8601 timestamp | | `idempotency_key` | string | Idempotency key (if provided) | | `attribution` | string | Attribution tag | | `metadata` | object | Arbitrary key-value pairs | | `refunded` | boolean | Whether the donation has been refunded | ### Errors | Status | Reason | | ------ | -------------------------- | | `400` | Invalid date format | | `403` | Invalid or missing API key | | `500` | Internal server error | ### Examples **List all donations:** ```bash curl -H "Authorization: your-api-key" \ "https://app.thegoodapi.com/charities/donations" ``` **Filter by attribution with pagination:** ```bash curl -H "Authorization: your-api-key" \ "https://app.thegoodapi.com/charities/donations?attribution=checkout&page=1&page_size=10" ``` **Filter by date range:** ```bash curl -H "Authorization: your-api-key" \ "https://app.thegoodapi.com/charities/donations?start_date=2025-01-01&end_date=2025-06-30" ``` **Filter by metadata:** ```bash curl -H "Authorization: your-api-key" \ "https://app.thegoodapi.com/charities/donations?metadata_key=order_id&metadata_value=12345" ``` --- # Manual Contributions URL: https://www.thegoodapi.com/docs/api/manual-contributions/ Description: Make one-off or bulk impact contributions through GoodAPI's top-up page, without writing code. For one-off or bulk impact contributions that don't need to be wired into your product, use the top-up page. 1. Head over to [app.thegoodapi.com/topup](https://app.thegoodapi.com/topup). 2. Enter your API key. 3. Enter the number of trees and plastic bottles you'd like to contribute. 4. Follow through to complete the order. As always, if you have any questions, reach us at [saif@thegoodapi.com](mailto:saif@thegoodapi.com). --- # Ocean-Bound Plastic URL: https://www.thegoodapi.com/docs/api/ocean-bound-plastic/ Description: Collect ocean-bound plastic bottles through GoodAPI — integrate plastic rescue into your product in minutes. Rescue ocean-bound plastic bottles and fetch the total number of bottles you've rescued. ## Rescue plastic bottles **POST** `https://app.thegoodapi.com/rescue/plastic_bottles` Rescuing ocean-bound plastic bottles is **this** easy. ### Headers | Name | Type | Description | | -------------- | ------ | ----------- | | `Authorization`\* | string | `` | ### Request body | Name | Type | Required | Description | | ----------------- | ------- | -------- | --------------------------------------------------------------------------- | | `count` | integer | Yes | The number of bottles you'd like to rescue | | `attribution` | string | No | Tag an order with a non-unique lookup key for filtering orders later | | `metadata` | JSON | No | Tag an order with arbitrary key/value pairs | | `idempotency_key` | string | No | Use this to safely retry requests without double-counting | ### Response — `200 OK` ```json { "total_rescued_bottles": 1001, "total_rescued_bottles_month": 1001, "bottle_details": [ { "id": "6IbY4xsil27DH5G0U3Mg", "count": 1, "fractional_count": 0, "created_at": "2025-07-06T20:28:26.003429-04:00", "idempotency_key": "", "metadata": { "key1": "val1", "key2": 714 }, "attribution": "saif282@gmail.com", "refunded": false } ] } ``` Sign up at [app.thegoodapi.com/fe/login](https://app.thegoodapi.com/fe/login) to grab your production and test keys. ## Get total rescued bottles **GET** `https://app.thegoodapi.com/rescue/plastic_bottles` ### Headers | Name | Type | Description | | -------------- | ------ | ----------- | | `Authorization`\* | string | `` | ### Query parameters All query parameters are optional. | Name | Type | Description | | ----------------- | ------ | ------------------------------------------------------------------------------------------------------------------------ | | `attribution_key` | string | Fetch by attribution key | | `id` | string | Fetch by Bottle ID | | `created_at` | string | Bottles registered after this date (format: `YYYY-MM-DD`) | | `end_at` | string | Bottles registered before this date (format: `YYYY-MM-DD`) | | `metadata` | JSON | Filter by metadata — applies as AND operations. Example: `{"key1": "val1", "key2": "val2"}` returns records that match both | ### Example request ```bash curl --request GET \ --url https://app.thegoodapi.com/rescue/plastic_bottles \ --header 'Authorization: {API_KEY}' \ --header 'Content-Type: application/json' ``` ### Response — `200 OK` ```json { "total_rescued_bottles": 6, "total_rescued_bottles_month": 6, "bottle_details": [ { "id": "i2SeocFjwNayo7PI7DpI", "count": 1, "created_at": "2025-07-02T02:07:31.374582Z", "idempotency_key": "", "metadata": { "key1": "val1", "key2": 786 }, "attribution": "user1@test.com" }, { "id": "1NdT0fiH6Yi4ffsmmnmE", "count": 1, "created_at": "2025-07-02T02:06:57.723507Z", "idempotency_key": "", "metadata": null, "attribution": "user2@test.com" } ] } ``` --- # Planting Trees URL: https://www.thegoodapi.com/docs/api/planting-trees/ Description: Plant trees through GoodAPI — integrate reforestation into your product in minutes. Plant trees, fetch the total number of trees you've planted, and access aggregated verification evidence. ## Plant Trees **POST** `https://app.thegoodapi.com/plant/trees` Planting trees is **this** easy. ### Headers | Name | Type | Description | | -------------- | ------ | ----------- | | `Authorization`\* | string | `` | ### Request body | Name | Type | Required | Description | | ----------------- | ------- | -------- | ----------------------------------------------------------------- | | `count` | integer | Yes | The number of trees you'd like to plant | | `attribution` | string | No | Tag an order with a non-unique lookup key for filtering | | `metadata` | JSON | No | Tag an order with arbitrary key/value pairs | | `idempotency_key` | string | No | Use this to safely retry requests without double-planting | ### Response — `200 OK` ```json { "total_planted_trees": 45, "tree_details": [ { "id": "i2SeocFjwNayo7PI7DpI", "count": 1, "fractional_count": 0, "created_at": "2025-07-01T22:07:31.374582-04:00", "idempotency_key": "", "metadata": { "key1": "val1", "key2": 786 }, "attribution": "saif@thegoodapi.com" } ], "total_planted_trees_month": 0 } ``` Sign up at [app.thegoodapi.com/fe/login](https://app.thegoodapi.com/fe/login) to grab your production and test keys. ## Get total trees planted **GET** `https://app.thegoodapi.com/plant/trees` ### Headers | Name | Type | Description | | -------------- | ------ | ----------- | | `Authorization`\* | string | `` | ### Query parameters All query parameters are optional. | Name | Type | Description | | ----------------- | ------ | ----------------------------------------------------- | | `attribution_key` | string | Fetch by attribution key | | `id` | string | Fetch by Tree ID | | `created_at` | string | Trees registered after date (format: `YYYY-MM-DD`) | | `end_at` | string | Trees registered before date (format: `YYYY-MM-DD`) | | `metadata` | JSON | JSON filter with AND operations | ### Response — `200 OK` ```json { "total_planted_trees": 45, "tree_details": [ { "id": "i2SeocFjwNayo7PI7DpI", "count": 1, "created_at": "2025-07-02T02:07:31.374582Z", "idempotency_key": "", "metadata": { "key1": "val1", "key2": 786 }, "attribution": "user1@test.com" } ] } ``` ## Tree planting verification stats **GET** `https://app.thegoodapi.com/evidence` Returns aggregated planting evidence including photos, videos, and impact metrics from verified projects. ### Authentication | Header | Required | Description | | --------------- | -------- | --------------------------------------------- | | `Authorization` | Yes | Bearer token with API key: `Bearer ` | ### Example request ```bash curl -X GET "https://app.thegoodapi.com/evidence" \ -H "Authorization: Bearer your_api_key" ``` ### Response — `200 OK` ```json { "summary": { "total_trees": 1847811, "trees_planted": 330447, "carbon_offset_tons": 81748.316, "area_restored_hectares": 190.37407, "countries": [ "Brazil", "Canada", "Haiti", "Indonesia", "Kenya", "Madagascar", "United States" ] }, "regions": [ { "id": "23", "name": "Kwale", "country": "Kenya", "evidence": [ { "id": "735545", "type": "image", "url": "https://d38us48sb13m7f.cloudfront.net/...", "date": "2025-09-23T14:11:17.000000Z" } ] } ] } ``` ### Notes - Response is cached for 30 days for performance. - Evidence items are grouped by geographic region based on coordinates. - Media URLs are served via Veritree's CDN. --- # Planting Trees FAQ URL: https://www.thegoodapi.com/docs/api/planting-trees-faq/ Description: Frequently asked questions about tree planting through GoodAPI. Our latest FAQ lives on the main site at [How it works](/how-it-works/) — head there for details on cost, verification, project selection, and more. If your question isn't covered there, email [saif@thegoodapi.com](mailto:saif@thegoodapi.com) and we'll answer directly. --- # Public Dashboard URL: https://www.thegoodapi.com/docs/api/public-dashboard/ Description: Generate a shareable link to a public dashboard showing your real-time impact. Generate a shareable public dashboard URL that displays your organization's real-time impact, with built-in localization and a language switcher. ## Get dashboard link **GET** `https://app.thegoodapi.com/dashboard_url` Returns a customized dashboard URL you can share or embed. ### Headers | Name | Value | | --------------- | --------------------- | | `Content-Type` | `application/json` | | `Authorization`\* | `` | ### Response — `200 OK` ```json { "dashboard_url": "https://dashboard.thegoodapi.com/xxxxxxxxx?source=apiv2" } ``` ### Error — `400 Bad Request` ```json { "error": "Invalid request" } ``` ## Example dashboard --- # Refunds URL: https://www.thegoodapi.com/docs/api/refunds/ Description: Reverse tree or plastic bottle registrations within 30 days of creation. Reverse tree or plastic bottle registrations created within the last 30 days. For registrations older than 30 days, contact [saif@thegoodapi.com](mailto:saif@thegoodapi.com). ## Refund trees **POST** `https://app.thegoodapi.com/refund/trees` ### Headers | Name | Value | | ---------------- | ------------------ | | `Content-Type` | `application/json` | | `Authorization` | `` | ### Request body | Name | Type | Description | | ---- | ------ | ---------------------------------------------------- | | `id` | string | Tree ID — fetch via the Get Total Trees Planted endpoint | ### Response — `200 OK` ```json { "refunded_trees": 1001, "total_planted_trees": 15, "refund_details": [ { "id": "Vf0YF7PuL5LDH0wh82Kt", "count": 1001, "fractional_count": 0, "created_at": "2025-07-07T00:24:06.884162Z", "idempotency_key": "", "metadata": { "key1": "val1", "key2": 714 }, "attribution": "saif282@gmail.com", "refunded": false } ], "refund_id": "refund-Vf0YF7PuL5LDH0wh82Kt" } ``` ## Refund plastic bottles **POST** `https://app.thegoodapi.com/refund/plastic_bottles` ### Headers | Name | Value | | ---------------- | ------------------ | | `Content-Type` | `application/json` | | `Authorization` | `` | ### Request body | Name | Type | Description | | ---- | ------ | ---------------------------------------------------------------------- | | `id` | string | Bottle ID — fetch via the Get Total Rescued Plastic Bottles endpoint | ### Response — `200 OK` ```json { "refunded_bottles": 1, "total_rescued_bottles": 10, "refund_details": [ { "id": "Vf0YF7PuL5LDH0wh82Kt", "count": 1001, "fractional_count": 0, "created_at": "2025-07-07T00:24:06.884162Z", "idempotency_key": "", "metadata": { "key1": "val1", "key2": 714 }, "attribution": "saif282@gmail.com", "refunded": false } ], "refund_id": "refund-Vf0YF7PuL5LDH0wh82Kt" } ``` --- # Widgets & Badges URL: https://www.thegoodapi.com/docs/api/widgets-and-badges/ Description: Display your impact to customers with GoodAPI's drop-in CSS/JS badge. You're making impact — now show it off. If you're building custom UI and only need the total tree count, fetch it via the [Get total trees planted](/docs/api/planting-trees/#get-total-trees-planted) endpoint. ## Ecommerce badge For ecommerce sites, we provide a drop-in badge that displays your impact without any custom UI work. ### 1. Add our CSS ```html ``` The CSS supports two query parameters: - `text_color` — hex color (e.g. `#222222`) - `background_color` — hex color (e.g. `#ffffff`) ### 2. Add our script ```html ``` The script supports these query parameters: | Parameter | Values | Description | | -------------- | ----------------------------------------- | --------------------------------------------------------------- | | `badge_type` | `per_product`, `per_order`, `generic` | What the badge displays impact per | | `impact_type` | `trees`, `plastics` | Which impact to show | | `show_modal` | `true`, `false` | Whether to show an info icon that opens a details modal | | `locale` | `en`, `de`, `es`, `it`, etc. | Display language | ### 3. Drop in the badge element ```html
``` You should see a badge like this: --- # Help Center URL: https://www.thegoodapi.com/help/ Description: Setup guides, troubleshooting, and how-tos for the GoodAPI Shopify app — badges, Shopify Flow, integrations, impact settings, and more. Help articles for the GoodAPI Shopify app. Browse by topic below. ## Getting Started - [Accept collaborator access requests](/help/shopify/how-to-accept-collaborator-access-requests/) - [Change your tree planting site](/help/shopify/how-to-change-tree-planting-site-in-the-app/) ## Impact Settings - [Plant trees only for reviews](/help/shopify/how-to-plant-trees-only-for-reviews/) - [Set custom impact per variant](/help/shopify/how-to-set-custom-impact-per-variant/) - [Offset your website's carbon footprint](/help/shopify/offset-your-websites-carbon-footprint/) - [Hide Sprout product from your storefront](/help/shopify/how-to-hide-sprout-tree-planting-product-from-showing-in-your-store/) ## Badges & Widgets - [Display the Sprout badge in cart drawer](/help/shopify/how-to-display-the-sprout-badge-in-cart-drawer/) - [Add the GoodAPI footer badge](/help/shopify/how-to-add-the-goodapi-footer-badge/) - [Add badges to Checkout, Thank You, and Order Status pages](/help/shopify/how-to-add-badges-to-checkout-thank-you-and-order-status-page/) - [Add badges to Thank You and Order Status pages](/help/shopify/how-to-add-badges-to-thank-you-and-order-status-page/) - [Add the home page public banner](/help/shopify/how-to-add-the-home-page-public-banner/) - [Use Design Packs to create a counter and sustainability page](/help/shopify/how-to-use-design-packs-to-create-a-counter-and-sustainability-page/) - [Display your environmental impact with GoodAPI metafields](/help/shopify/how-to-display-your-environmental-impact-with-goodapi-metafields/) ## Shopify Flow - [Import a Shopify Flow file](/help/shopify/how-to-import-a-shopify-flow-file/) - [Use Shopify Flow to plant trees](/help/shopify/how-to-use-shopify-flow-to-plant-trees/) - [List of ready-made Shopify Flows](/help/shopify/list-of-shopify-flows-for-planting-trees/) ## Integrations - [Integrate GoodAPI with Klaviyo](/help/shopify/how-to-integrate-goodapi-with-klaviyo/) - [Using GoodAPI events and data in Klaviyo](/help/shopify/using-goodapi-events-and-data-in-klaviyo/) - [Automatically send an impact email after purchase via Klaviyo](/help/shopify/how-to-automatically-send-impact-email-after-customer-purchase-via-klaviyo/) - [Growave Loyalty rewards with GoodAPI](/help/shopify/using-growave-loyalty-with-goodapi-to-offer-sustainability-rewards/) - [Loyalty Lion points with GoodAPI](/help/shopify/using-loyalty-lion-points-for-climate-and-social-impact-with-goodapi/) - [Smile.io points with GoodAPI](/help/shopify/using-smileio-points-with-goodapi-to-offer-sustainability-rewards/) ## Trust & Safety - [Preventing fraudulent orders of trees and plastic](/help/shopify/preventing-fraudulent-orders-of-trees-and-plastic-with-goodapi/) ## Need more help? Email [support@thegoodapi.com](mailto:support@thegoodapi.com) or reach us through the chat inside the GoodAPI Shopify app. --- # How to accept collaborator access requests URL: https://www.thegoodapi.com/help/shopify/how-to-accept-collaborator-access-requests/ Description: Step-by-step guide to approve a GoodAPI collaborator access request inside your Shopify admin so the GoodAPI team can help configure your store. If you’ve received a collaborator access request from GoodAPI, follow these quick steps to approve it: 1. **Go to your Shopify admin.** Navigate to **Settings → Users and permissions**. 2. **Find the pending request.** Scroll down until you see a request from **GoodAPI** under *Collaborator requests*. 3. **Review and approve.** Click **Review request**, verify the pre-selected permissions, then click **Accept request**. That’s it — our team can now help configure your store. [Watch the video walkthrough](https://kommodo.ai/recordings/yWJI10V5yKc0amIRbtEC) --- # How to add badges to Checkout, Thank You and Order Status Page URL: https://www.thegoodapi.com/help/shopify/how-to-add-badges-to-checkout-thank-you-and-order-status-page/ Description: In this article, we will show you how to add tree planting marketing badges to the following pages: In this article, we will show you how to add tree planting marketing badges to the following pages: * Checkout * Thank you * Order Status You can drag and drop the badge into place through your checkout editor — watch the short video below. [Adding badges to Checkout, Thank You, and Order Status pages](https://www.loom.com/embed/ee9b1c39da214059b7c5f68ffd18a250?sid=fcda7c37-9eea-4cad-b504-a44e5a3efa82) **Note:** For the Thank You and Order Status pages specifically, see the dedicated guide: [How to add badges to Thank You and Order Status pages](/help/shopify/how-to-add-badges-to-thank-you-and-order-status-page/). --- # How to add badges to Thank you and Order Status Page URL: https://www.thegoodapi.com/help/shopify/how-to-add-badges-to-thank-you-and-order-status-page/ Description: This article explains how you can add badges to Thank you and Order Status Page. Add tree-planting badges to your Thank You and Order Status pages in Shopify. **Note:** Before you add badges, activate and publish both pages. 1. From your Shopify admin, go to **Settings → Checkout**. 2. In **Configurations**, click **Customize** next to the configuration you want to edit. 3. Use the page selector in the checkout-and-accounts editor to open the **Thank You** or **Order Status** page. ![Navigating to the Thank You or Order Status page in the Shopify checkout editor](../../../../assets/help/shopify/how-to-add-badges-to-thank-you-and-order-status-page/screen-shot-2024-06-12-at-1372_1shmf4a.png) # Thank You Page 1. From your theme editor, head over to the top dropdown tab and click on "Checkout and new customer accounts" ![From your theme editor, head over to the top dropdown tab and click on 'Checkout and new customer accounts'](../../../../assets/help/shopify/how-to-add-badges-to-thank-you-and-order-status-page/screen-shot-2024-06-11-at-1055_381qgr.png) 2. On the Check out page, you need to click on the top dropdown tab again and click on "Thank you" ![On the Check out page, you need to click on the top dropdown tab again and click on 'Thank you'](../../../../assets/help/shopify/how-to-add-badges-to-thank-you-and-order-status-page/screen-shot-2024-06-11-at-1103_7m4sc3.png) 3. In the left sidebar under **Sections**, click **Add app block**, then choose **Sprout Thank You Badge**. ![Under Sections in the sidebar, click Add app block and choose Sprout Thank You Badge](../../../../assets/help/shopify/how-to-add-badges-to-thank-you-and-order-status-page/screen-shot-2024-06-11-at-1165_1x74fvp.png) 4. The Thank You badge now appears on the page — drag the app block to position it anywhere you like. ![Voila! you should now see the Thank You Badge on your Thank you page. You also have the option to move this app block...](../../../../assets/help/shopify/how-to-add-badges-to-thank-you-and-order-status-page/screen-shot-2024-06-11-at-1423_13ae5zk.png) # Order Status Page 5. Now for the Order Status Page, head over again to the top dropdown and click on "Order status" ![Now for the Order Status Page, head over again to the top dropdown and click on 'Order status'](../../../../assets/help/shopify/how-to-add-badges-to-thank-you-and-order-status-page/screen-shot-2024-06-11-at-1465_whzp8e.png) 6. Click **Add app block**, then choose **Sprout Order Status Badge**. ![Click Add app block and choose Sprout Order Status Badge](../../../../assets/help/shopify/how-to-add-badges-to-thank-you-and-order-status-page/screen-shot-2024-06-11-at-1495_b8b5it.png) ![The Sprout Order Status Badge placed on the Order Status page](../../../../assets/help/shopify/how-to-add-badges-to-thank-you-and-order-status-page/screen-shot-2024-06-11-at-1504_1vi470r.png) You can also follow the same instructions on this video guide [Here](https://www.loom.com/embed/3112c360ea3049d9bdf24a6718d6bebb?sid=5a5334cf-96d9-4ce7-aae7-9cb9c7ff3ed7) --- # How to add the GoodAPI Footer Badge URL: https://www.thegoodapi.com/help/shopify/how-to-add-the-goodapi-footer-badge/ Description: This article explains how you can add the GoodAPI footer badge to your Homepage. Add the GoodAPI footer badge to your Shopify homepage in three steps. 1. In your Shopify admin, open your theme and click **Customize**. ![From your Shopify dashboard, go to 'customize' theme.](../../../../assets/help/shopify/how-to-add-the-goodapi-footer-badge/screen-shot-2025-01-17-at-2114_r06exb.png) 2. In the theme editor, scroll to the **Footer** section and click **Add section**. ![Scroll to the Footer section in the theme editor and click Add section](../../../../assets/help/shopify/how-to-add-the-goodapi-footer-badge/screen-shot-2025-01-17-at-2150_k6gydm.png) 3. Under the **Apps** tab, select **GoodAPI Footer**. 4. Customize the badge's look and feel to match your brand. ![Customize the GoodAPI footer badge to match your brand](../../../../assets/help/shopify/how-to-add-the-goodapi-footer-badge/screen-shot-2025-01-17-at-2233_1v8k4xb.png) Prefer to follow along with video? [Watch the walkthrough](https://www.loom.com/share/17d15692a88445f4a082237f211c1a15). --- # How to add the Home Page Public Banner URL: https://www.thegoodapi.com/help/shopify/how-to-add-the-home-page-public-banner/ Description: This article explains how you can add the Sprout Home Page Public Banner to your site''s home page. Add the Sprout Home Page Public Banner to your storefront homepage in three steps. ![Example of the Sprout Home Page Public Banner on a storefront homepage](../../../../assets/help/shopify/how-to-add-the-home-page-public-banner/screen-shot-2024-04-24-at-1037_787nax.png) 1. Open your theme editor and click **Add section**. ![Adding a new section in the Shopify theme editor](../../../../assets/help/shopify/how-to-add-the-home-page-public-banner/screen-shot-2024-04-24-at-1056_1ewq1ol.png) 2. Switch from **Sections** to the **Apps** tab. 3. Select **Sprout Impact Banner**. The banner now displays on your homepage. ![Selecting Sprout Impact Banner from the Apps tab](../../../../assets/help/shopify/how-to-add-the-home-page-public-banner/screen-shot-2024-04-24-at-1059_cc9fhp.png) Prefer video? [Watch the walkthrough](https://www.loom.com/share/9e8db3c0ca144fd0932059d3b2d6eb3c?sid=349a1f1a-5cb0-4012-b6e9-b108c3f22bfc). --- # How to automatically send impact email after customer purchase via Klaviyo URL: https://www.thegoodapi.com/help/shopify/how-to-automatically-send-impact-email-after-customer-purchase-via-klaviyo/ Description: Learn how to automatically send personalized emails to your customers whenever they make a positive environmental impact through their purchases. # Automating Impact Emails with Klaviyo Learn how to automatically send personalized emails to your customers whenever they make a positive environmental impact through their purchases. **Video Walkthrough** [Video Walkthrough](https://kommodo.ai/recordings/xIUtl7XGqOhZJv9nEM8e?tab=transcript) ## Overview By connecting **GoodAPI** to **Klaviyo**, you can automatically notify customers about the impact of their orders (such as trees planted or plastic removed). This feature helps you automate your brand’s storytelling and keep your customers engaged with your mission. When you complete the setup, three components are automatically created for you: 1. **A Metric:** An event triggered in Klaviyo whenever an impact-related purchase is made. 2. **An Email Template:** A customizable, dynamic template that displays specific impact data. 3. **A Draft Flow:** An automated sequence that sends the email to your customers. ## How to Set Up the Integration ### 1. Connect Klaviyo 1. Open the GoodAPI app and navigate to the **Email Marketing** tab. 2. Locate the Klaviyo section and click **Connect to Klaviyo**. 3. Approve the necessary app permissions and select your store. 4. Once connected, your status will update to **Connected**. ### 2. Initialize Flows and Templates 1. Click the **Get Started** button. 2. Select **Setup Flows and Template**. 3. Wait approximately **15–20 seconds** while the system generates your assets. > **Note:** No emails will be sent yet. Everything is created in "Draft" mode for your review. ### 3. Customize Your Email 1. In Klaviyo, navigate to the new **Draft Flow**. 2. Click on the email within the flow and select **Edit**. 3. Use Klaviyo’s drag-and-drop editor to match the template to your brand’s tone and style. * **Dynamic Content:** The template includes "If/Else" logic. It automatically adjusts to show tree data, plastic removal data, or both, depending on the customer's purchase. * **Data Points:** The email pulls in the customer's name, your store name, their individual impact, and your brand's total overall impact. ### 4. Go Live 1. **Preview:** Use a test order to see how the data populates. 2. **Set Status:** Once you are happy with the design, change the email status to **Live**. 3. **Enable Flow:** Update the status of the entire Flow to **Live** and click **Save**. ## Pro-Tips for Better Engagement * **Add a Delay:** You don't have to send the email immediately. You can add a **24-hour delay** in the flow so customers receive a standard "Thank You" email first, followed by an "Impact" email the next day. * **Track Performance:** Check the **Metrics** section in Klaviyo to see the "Impact Created by Purchase" event. This shows you exactly how many customers are triggering these notifications. * **Manual Edits:** You can also find your template under **Content > Templates** in Klaviyo if you prefer to edit the code directly or use it in other custom flows. > **Need Help?** > The GoodAPI team is available via the app or email to help you customize your templates or brainstorm new ways to improve your impact storytelling. --- # How to change tree planting site in the app? URL: https://www.thegoodapi.com/help/shopify/how-to-change-tree-planting-site-in-the-app/ Description: Learn how to update your tree planting location to ensure your store''s sustainability story stays current and aligned with your brand''s goals. # Changing Your Tree Planting Project Site Learn how to update your tree planting location to ensure your store's sustainability story stays current and aligned with your brand's goals. ## Overview GoodAPI allows you to choose specific reforestation projects for your store. When you update your project site, the app automatically syncs this change across all your customer-facing assets, including **badges** and **modals**, ensuring a consistent story without manual updates. [Video Walkthrough](https://kommodo.ai/recordings/LwdVvx7wROhaqbtqKoYm) ## Steps to Change Your Project Site ### 1. Access General Settings 1. Open the GoodAPI app. 2. Navigate to the **General Settings** section. 3. Locate the **Tree Planting** settings. Here, you will see your current active project (e.g., *Kenya Mangroves*). ### 2. Select a New Project 1. Click the **Pencil Icon** next to your current project. 2. Browse the available projects. For example, you can switch from international sites to domestic projects like the **Michigan Arbor Day Foundation**. 3. Once you have found your preferred site, click **Select**. ### 3. Verification 1. Once selected, the project will automatically update. 2. Check your storefront badges or impact modals to confirm that the location and project details have updated to reflect the new site. ## Why Update Your Site? * **Local Impact:** Focus your contributions on specific regions (like the United States) that resonate with your customer base. * **Storytelling:** Keep your marketing fresh by supporting different environmental causes throughout the year. * **Consistency:** Automated updates mean you don't have to worry about mismatched information on your website. > **Tip:** Switching projects does not erase your past impact; it simply directs all future orders to the newly selected reforestation site. --- # How to display the Sprout badge in cart drawer URL: https://www.thegoodapi.com/help/shopify/how-to-display-the-sprout-badge-in-cart-drawer/ Description: This article explains how you can display the Sprout badge in cart drawer. Add the Sprout tree-planting badge to your Shopify cart drawer in four steps. 1. In your Shopify admin, open the theme you want to edit and click **Edit code**. ![Open your Shopify theme and click Edit code](../../../../assets/help/shopify/how-to-display-the-sprout-badge-in-cart-drawer/screen-shot-2024-04-30-at-3233_vd8vvv.png) 2. In the file filter, search **Cart** and open `cart-drawer.liquid` (under **Snippets** or **Sections**). ![Search 'Cart' in the file filter and open cart-drawer.liquid](../../../../assets/help/shopify/how-to-display-the-sprout-badge-in-cart-drawer/screen-shot-2024-04-30-at-3254_k3agmh.png) 3. Paste `
` directly above or below the checkout button. To find the button quickly, press **Cmd + F** (or **Ctrl + F**) and search for `Button`. ![Paste the SproutCartBadgeVintage div above or below the checkout button](../../../../assets/help/shopify/how-to-display-the-sprout-badge-in-cart-drawer/screen-shot-2024-04-30-at-3423_ino6kq.png) 4. Click **Save**. The Sprout badge now appears in your cart drawer. ![The Sprout badge displayed in the cart drawer next to the checkout button](../../../../assets/help/shopify/how-to-display-the-sprout-badge-in-cart-drawer/screen-shot-2024-04-30-at-3534_1tvrnpw.png) Prefer video? [Watch the walkthrough](https://www.loom.com/embed/223c74e731014015ae021ee0bc0e1f1a?sid=cdf735ec-9ed0-44a5-a71b-e48b1b6eb962). --- # How to Display Your Environmental Impact with GoodAPI Metafields URL: https://www.thegoodapi.com/help/shopify/how-to-display-your-environmental-impact-with-goodapi-metafields/ Description: Use GoodAPI metafields to display real-time environmental impact — trees planted, plastic removed — across product and storefront pages on Shopify. # How to Display Your Environmental Impact with GoodAPI Metafields If your brand is committed to sustainability, you can automatically display your real-time environmental impact across your Shopify store using GoodAPI metafields. These metafields update automatically and can be surfaced anywhere on your store — from your homepage to order confirmation emails. ## The GoodAPI Metafields GoodAPI provides three shop-level metafields that update automatically as your impact grows: * **`goodapi.total_number_trees`** — The total number of trees pledged on behalf of your customers * **`goodapi.total_number_kelp`** — The total number of kelp fronds pledged * **`goodapi.total_number_bottles`** — The total number of ocean-bound plastic bottles collected ## Step 1: Create Metafield Definitions Before you can use these metafields in your theme, you need to create a definition for each one. 1. From your Shopify admin, go to **Settings > Metafields > Shop > Unstructured Metafields** 2. Find the unstructured metafield (e.g. `goodapi.total_number_trees`) and click on it to create a definition 3. Give it a clear name (e.g. "Trees Pledged"), set the type to **Integer**, and save 4. Repeat for `total_number_kelp` and `total_number_bottles` Once definitions are created, these metafields become available as dynamic sources throughout your theme editor — no coding required. ## Step 2: Display on Your Online Store You can add your impact numbers to any page — homepage, product pages, about page, etc. 1. Go to **Online Store > Themes** and click **Customize** 2. Navigate to the page or template you want to edit 3. Add or select a text block/section 4. Click the **Connect dynamic source** icon (🔗) next to the text field 5. Search for and select the metafield (e.g. "Trees Pledged") 6. Save your changes **Pro tip:** Consider adding an impact counter section to your homepage or a dedicated sustainability page to showcase all three metrics together. ## Step 3: Include Impact in Order Confirmation Emails Showing customers their personal contribution at the moment of purchase is a powerful trust-builder. 1. Go to **Settings > Notifications** and select **Order confirmation** 2. Click **Edit code** 3. Add the following Liquid snippet where you'd like the impact to appear: ```

Thanks to your order, we've contributed to:

  • 🌳 {{ shop.metafields.goodapi.total_number_trees }} trees planted
  • 🌿 {{ shop.metafields.goodapi.total_number_kelp }} kelp fronds restored
  • ♻️ {{ shop.metafields.goodapi.total_number_bottles }} ocean-bound plastic bottles collected
``` ## Step 4: Other Places to Use These Metafields | Location | How to Use | | ---- | ---- | | **Homepage banner** | Connect as dynamic source in theme editor | | **Product pages** | Add a sustainability block using dynamic sources | | **Footer** | Add a text block with dynamic source connected | | **Packing slips** | Add Liquid snippet to the packing slip template in Notifications | | **Abandoned cart emails** | Remind customers of their potential impact to encourage completion | | **Thank you / Order status page** | Add via **Settings > Checkout > Order status page** additional scripts | ## Tips for Maximizing Impact * **Keep it prominent** — Place your impact metrics above the fold on your homepage so visitors see them immediately. * **Use compelling copy** — Pair the numbers with context, e.g. *"Together, we've planted 13,000+ trees!"* * **Update your marketing** — Reference these live numbers in social media captions and email campaigns by pulling the current values. * **Celebrate milestones** — Set up a Shopify Flow automation to notify your team when key thresholds are hit (e.g. every 1,000 trees). This is a great way to build trust and turn your sustainability commitment into a visible, living part of your brand story! --- # How to Hide Sprout Tree planting Product from showing in your store URL: https://www.thegoodapi.com/help/shopify/how-to-hide-sprout-tree-planting-product-from-showing-in-your-store/ Description: Hide the Sprout tree-planting product from your Shopify catalog and collections while keeping per-order tree planting fully functional. Hide the Sprout tree-planting product from your storefront catalog and collections. This product appears when you enable the **Customer Top-Up** setting, which lets customers donate directly toward tree planting. ![The Sprout tree-planting product shown in a Shopify catalog](../../../../assets/help/shopify/how-to-hide-sprout-tree-planting-product-from-showing-in-your-store/screen-shot-2024-04-23-at-1023_1khgdyt.png) 1. In your Shopify admin, create a new collection and name it **all**. ![Creating a new collection named 'all' in Shopify](../../../../assets/help/shopify/how-to-hide-sprout-tree-planting-product-from-showing-in-your-store/screen-shot-2024-04-23-at-1025_ced7xt.png) 2. Set the **Collection type** to **Automated**. ![Setting the collection type to Automated](../../../../assets/help/shopify/how-to-hide-sprout-tree-planting-product-from-showing-in-your-store/screen-shot-2024-04-23-at-1026_gtm4gq.png) 3. Add a condition for the collection: **Product vendor** · **is not equal to** · `Sprout - TheGoodAPI`. ![Condition: Product vendor is not equal to Sprout - TheGoodAPI](../../../../assets/help/shopify/how-to-hide-sprout-tree-planting-product-from-showing-in-your-store/screen-shot-2024-04-23-at-1028_5vhe6v.png) 4. Click **Save**. The Sprout tree-planting product is now hidden from your storefront. ![Saved 'all' collection excluding the Sprout tree-planting product](../../../../assets/help/shopify/how-to-hide-sprout-tree-planting-product-from-showing-in-your-store/screen-shot-2024-04-23-at-1032_19xirtu.png) Prefer a walkthrough? [Watch the video guide](https://www.loom.com/share/e489549b2e0f487f9fec243d3a8179aa?sid=6964a042-5e77-4bae-90ad-51eac3305170). --- # How to import a Shopify Flow file URL: https://www.thegoodapi.com/help/shopify/how-to-import-a-shopify-flow-file/ Description: Import a pre-built Shopify Flow file that plants trees or removes plastic for any Shopify trigger — reviews, customer signup, tagged orders, and more. Pre-built Shopify Flow files let you add tree planting or plastic removal to any Shopify trigger in minutes, without building the flow from scratch. Download one of our ready-made flows from the [list of Shopify Flows for planting trees](/help/shopify/list-of-shopify-flows-for-planting-trees/), then follow the steps below to import it. ## Steps 1. In your Shopify admin, open **Apps → Shopify Flow**. 2. Click **Import** in the top-right corner. 3. Select the `.flow` file you downloaded from GoodAPI. 4. Review the trigger, conditions, and actions — the imported flow opens in draft mode so you can inspect it before activating. 5. If the flow uses a third-party app (e.g. a reviews app), make sure that app's Flow integration is enabled in its settings. 6. Adjust the number of trees or bottles in the GoodAPI action to match what you want to plant or rescue per trigger. 7. Click **Turn on workflow** to activate it. That's it — your flow now runs automatically on every trigger. Need help, or want us to add a flow for an app that isn't listed? Email [support@thegoodapi.com](mailto:support@thegoodapi.com). --- # How to Integrate GoodAPI with Klaviyo URL: https://www.thegoodapi.com/help/shopify/how-to-integrate-goodapi-with-klaviyo/ Description: Connect GoodAPI to Klaviyo to surface trees planted and plastic removed in customer emails, flows, and segments with zero custom development. Connect your **GoodAPI account** to **Klaviyo** to surface your brand’s environmental impact — trees planted, plastic removed — directly inside your Klaviyo email campaigns. Watch the video below or follow the step-by-step instructions to start sharing your impact automatically. [How to integrate GoodAPI with Klaviyo](https://kommodo.ai/recordings/b7m3vo0NtJLHTssc136a?tab=transcript) ## Step 1: Access the Klaviyo Setup in GoodAPI 1. Log in to your **GoodAPI dashboard**. 2. Navigate to the **Advanced** section. 3. Locate the **Klaviyo** subsection. 4. Click **Setup Instructions** to open the integration guide. You’ll see a **feed URL** provided by GoodAPI — this is what Klaviyo will use to pull your environmental impact data. ## Step 2: Create a Web Feed in Klaviyo 1. Log in to your **Klaviyo account**. 2. Go to **Profile → Settings → Other → Web Feeds**. 3. Click **Add Web Feed**. Then fill in the following details: | Field | Value | | ---- | ---- | | **Feed Name** | `GoodAPI` | | **Feed URL** | Copy from your GoodAPI setup screen | | **Request Type** | `GET` | | **Feed Format** | `JSON` | 4. Click **Add Web Feed** to save. ## Step 3: Add GoodAPI Data to Your Email Templates Now that your feed is set up, you can access the data in any Klaviyo campaign or template. 1. Open your desired **email campaign or template**. 2. Insert the variable where you want your impact data to appear. For example: We've planted (`{{feeds.goodapi.total_trees_planted_merchant}}`) trees 🌳 3. To confirm your variable works, return to the GoodAPI app and compare the **Feed URL** you copied to the one listed there — they should match. 4. For plastic bottles, use `\{\{ feeds.goodapi.total_bottles_registered_merchant \}\}`. ## Step 4: Preview and Test Your Email 1. Click **Preview & Test** in Klaviyo. 2. When the email renders, your variable (`{{ feeds.goodapi.total_trees_planted }}`) will automatically be replaced with the live total from GoodAPI. Example preview: > *We’ve planted **12,345 trees** 🌳 with GoodAPI.* ## Step 5: Share Your Impact Your Klaviyo emails now include real-time sustainability data from GoodAPI — share your positive impact directly with your customers. --- # How to plant trees only for reviews URL: https://www.thegoodapi.com/help/shopify/how-to-plant-trees-only-for-reviews/ Description: Some customers only want to plant trees for reviews and not for purchases. This can be easily done through the app. # How to plant trees only for reviews Some stores want to plant trees for customer reviews, not for every purchase. Here's how to set that up. 1. Install the GoodAPI app and set your **monthly limit** — the maximum number of review-triggered trees you'll plant in a month. ![Setting your monthly tree-planting limit](../../../../assets/help/shopify/how-to-plant-trees-only-for-reviews/screenshot-2024-11-07-at-94716_n88xjm.png) 2. Choose your impact settings. You don't have to plant trees per order or per product, but you do need to activate the app by committing to a monthly contribution. The minimum is **10 trees per month (about $4.30)** — enough to unlock review-based planting via Shopify Flow. You'll also get product, cart, checkout (Shopify Plus only), thank-you, and order-status badges, which are optional to set up. ![Choosing a monthly impact option](../../../../assets/help/shopify/how-to-plant-trees-only-for-reviews/screenshot-2024-11-07-at-95123_1rnhrhk.png) 3. Once the app is active, open Shopify Flow and wire up your review app as the trigger. ![Shopify Flow configured to plant a tree for each review](../../../../assets/help/shopify/how-to-plant-trees-only-for-reviews/screenshot-2024-11-07-at-95235_xmbhu3.png) Every time a review is submitted, one tree gets planted. For a detailed walkthrough using Judge.me, see [How to use Shopify Flow to plant trees](/help/shopify/how-to-use-shopify-flow-to-plant-trees/). The 10-tree monthly minimum keeps your impact counter growing, while each review adds a tree on top. Questions? Email [support@thegoodapi.com](mailto:support@thegoodapi.com) or chat with us inside the GoodAPI Shopify app. --- # How to Set Custom Impact per Variant URL: https://www.thegoodapi.com/help/shopify/how-to-set-custom-impact-per-variant/ Description: Configure GoodAPI to plant a different number of trees (or remove a different amount of plastic) per Shopify product variant using metafield rules. # How to Set Custom Impact per Variant With GoodAPI, you can dynamically adjust the impact of your products based on the selected variant. For example, a single lip balm could plant **1 tree and remove 10 plastic bottles**, while a pack of three could plant **3 trees and remove 30 bottles**. This guide will show you how to configure custom impact per variant in Shopify. [Dynamic Variant Impact](https://kommodo.ai/recordings/IPuIpcm5WorNjuY1Y4To) ## Step 1: Create Variant Metafield Definitions 1. In your Shopify admin, go to **Settings** → **Custom data** → **Variants**. 2. Click **Add definition** and create two metafields: * **Trees** * Name: `goodapi_num_trees` * Type: Integer * **Plastics** * Name: `goodapi_num_plastics` * Type: Integer 3. Click **Save** after creating each definition. These metafields will allow you to assign specific impact values to each variant. ## Step 2: Assign Values to Variants 1. Go to **Products** in your Shopify admin. 2. Open the product you want to configure. 3. Scroll down to the **Variants** section and click into a variant. 4. You’ll now see the new metafield fields: * **goodapi_num_trees** * **goodapi_num_plastics** 5. Enter the values for each variant. For example: * Small → 1 tree, 1 plastic * Medium → 2 trees, 2 plastics * Large → 3 trees, 3 plastics 6. Repeat for each variant, then click **Save**. ## Step 3: Preview Your Setup Once saved, your product’s variants will automatically update the impact values depending on which one is sold. For example: * Selecting **Small** → shows **1 tree + 1 plastic bottle** * Selecting **Medium** → shows **2 trees + 2 plastic bottles** * Selecting **Large** → shows **3 trees + 3 plastic bottles** Refresh your storefront preview if the values don’t appear immediately. ## Results That’s it! You’ve now enabled **dynamic impact per variant**. Customers will see the correct impact displayed based on their chosen product size or type, ensuring your sustainability efforts are transparent and accurate. --- # How to use Design Packs to create a counter and sustainability page URL: https://www.thegoodapi.com/help/shopify/how-to-use-design-packs-to-create-a-counter-and-sustainability-page/ Description: Drop GoodAPI Design Pack sections into your Shopify theme to add a live impact counter and a sustainability landing page in minutes — no code required. # How to Use Design Packs to create a Counter and Sustainability Page GoodAPI's Design Packs integration gives you two ready-made Shopify sections you can drop into your theme: a fully customizable **GoodAPI Counter** and a pre-built **Sustainability Page** template. This guide walks you through installing both and customizing them to match your brand. [How to use DesignPacks to set counter and sustainability page](https://kommodo.ai/recordings/olCQSKatk3wowAF2dFWH) ## Before You Start Make sure you have the [Design Packs app](https://apps.shopify.com/design-packs?utm_medium=email&utm_campaign=goodapi) installed on your Shopify store. After installing the app, open Design Pack's app and go to** Integrations**. Search for "GoodAPI" to see the two sections available through the app. ## Part 1: Install the GoodAPI Counter The counter displays live impact stats from your GoodAPI account, including plastics collected, trees planted, and any donations made through the app. 1. In the Design Packs app, find the **GoodAPI Counter** section and click **Install** to add it to your theme. 2. Once installed, click **Open theme customizer** to launch the Shopify theme editor. 3. Navigate to the page where you want the counter to appear. 4. Click **Add section** and search for **GoodAPI**. 5. Under Design Packs, select **GoodAPI Numbers**. The counter will be added to your page. 6. Use the section settings to customize: * Colors * Fonts * Background images * Any other styling to match your brand Save your changes when you're happy with the look. ## Part 2: Install the Sustainability Page The Sustainability Page is slightly different from the counter. Instead of a single section, it installs a full **page template** you can use to build out a complete sustainability story. 1. In the Design Packs app, find the **Sustainability Page** and click **Install** to add it to your current theme. 2. Open your theme customizer. 3. At the top of the customizer, click the **Pages** dropdown. 4. Look for the template labeled with the **DP_** prefix (short for Design Pack), for example **DP_GoodAPI**. Select it to open the Design Packs GoodAPI page. 5. The page comes pre-built with blocks you can customize, including: * The GoodAPI counter * Brand imagery * Background visuals * A carousel (great for quarterly or seasonal campaigns) 6. Edit each block's images, backgrounds, and content to fit your brand and current campaigns. Because this is a template, it's more customizable out of the box than the standalone counter. You can swap imagery and content each quarter without rebuilding the page.
## Tips * You can use the counter on its own anywhere in your store, or as part of the full sustainability page. * Update the carousel and background images each quarter to keep campaigns fresh. * All counter stats pull live data from your GoodAPI account, so there's no manual updating required. ## Need Help? If you run into issues or have feedback on the Design Packs, reach out. We'd love to hear from you. --- # How to use Shopify Flow to Plant Trees URL: https://www.thegoodapi.com/help/shopify/how-to-use-shopify-flow-to-plant-trees/ Description: Shopify Flow allows you to automate tasks and processes within your store and across your apps. You can learn more about Shopify Flow itself here. Shopify Flow allows you to automate tasks and processes within your store and across your apps. You can learn more about [Shopify Flow itself here.](https://apps.shopify.com/flow) In this post, we will explain how you can use Shopify Flow and [ **Sprout's Shopify App**](https://apps.shopify.com/tree-planting) to automate tree planting for any trigger on Flow! 1. The first step to using Shopify flow is to choose what should lead to tree planting. The Sprout app, as you may know, allows you to plant a tree per order or per product purchased, but with Shopify Flow, you can plant trees for * Reviews * Email Signups * New Customers created * Survey completions The possibilities are endless! If there is a trigger in Flow, then you can plant a tree 2. Once you have chosen the purpose, simply create a workflow in Shopify flow and use the trigger and tie to Plant Tree Action from Sprout! We will share some examples below. ### Example 1: Plant Trees for New Review We will start with a workflow that plants a tree for any new review submitted. [Here is a video that shows how you can do it](https://komododecks.com/recordings/0Xu7eduuczBkR7Z0qmYh) ###### Step by Step. 1. In Shopify Flow, set the trigger for a new review. (These screenshots use Air Review, but can be followed for any review app) ![select trigger](../../../../assets/help/shopify/how-to-use-shopify-flow-to-plant-trees/screen-shot-2024-01-12-at-6590_1ijh1lg.png) 2. Add Condition (if you want) - Condition can be that review has to be published before it can lead to tree planting. This step is optional. The conditions that are available vary from app to app. This screenshot is for Air Reviews. ![Condition that review is published](../../../../assets/help/shopify/how-to-use-shopify-flow-to-plant-trees/screen-shot-2024-01-12-at-7000_659kte.png) 3. Add Action - Plant Trees ![Plant Trees Action](../../../../assets/help/shopify/how-to-use-shopify-flow-to-plant-trees/screen-shot-2024-01-12-at-7011_v1wjwd.png) 4. Turn on workflow! and you are done. Yay 🎉 Please note, some of the reviews app require you to enable Shopify Flow before you can use it. So check the integration section of your reviews app to see if you have to toggle Shopify Flow on. ![Toggling on Shopify Flow](../../../../assets/help/shopify/how-to-use-shopify-flow-to-plant-trees/screen-shot-2024-01-12-at-7025_16xllhg.png) Of course, if you need help, email [support@thegoodapi.com](mailto:support@thegoodapi.com) or chat with us inside the GoodAPI Shopify app and we will help you get it set up. You can follow the same steps above but change the trigger to Customer Creation or Form submission or any other app. We will add more videos and images for more flows here! Or email [support@thegoodapi.com](mailto:support@thegoodapi.com) and we can help you set one up. --- # List of Shopify Flows for planting trees URL: https://www.thegoodapi.com/help/shopify/list-of-shopify-flows-for-planting-trees/ Description: Here is a comprehensive list of Shopify flows to help you incentivize customers to take action for anything with tree planting! Here is a comprehensive list of Shopify flows to help you incentivize customers to take action for anything with tree planting! # Review Apps - Plant a tree for new reviews These Shopify flows help you plant a tree for any review submitted through the apps listed. If we have missed one, email [support@thegoodapi.com](mailto:support@thegoodapi.com) and we will add it in. Follow the link to download the Shopify flow file, configure how many trees you want to plant with the action and you are good to go! | App Name | Shopify Flow link | | --- | --- | | Air: Product Reviews app & UGC | [Download Shopify Flow](https://t.co/4mrSlhh5ye) | | Judge.me Product Reviews| [Download Shopify Flow](https://drive.google.com/file/d/1Dy6R-8ymIUOggmUoa1MhIzLPlpolQX_q/view?usp=sharing) | | Loox Product Reviews & Photos| [Download Shopify Flow](https://drive.google.com/file/d/17rz3T5uWL_UmYm03DLilS2gixMIzDSff/view?usp=sharing) | | Stamped Product Reviews & UGC| [Download Shopify Flow](https://drive.google.com/file/d/1FVCnkBhcn78z5aKjOSsn9-HAF-OF0ABm/view?usp=sharing) | | REVIEWS.io Product Reviews| [Download Shopify Flow](https://drive.google.com/file/d/1DfjOWHVrgtrgBZR_1MQsZEobdDmK4frw/view?usp=sharing) | | Yotpo Product Reviews & UGC| [Download Shopify Flow](https://drive.google.com/file/d/12IxNI7GhVZIvasMK24BsY2-ulmBD4a0Z/view?usp=sharing) | | Growave: Loyalty & Wishlist| [Download Shopify Flow](https://drive.google.com/file/d/1JHYzI6IMNv5PqZKwMm0rUwP8rLadC9Yw/view?usp=sharing) | --- # Offset your website''s carbon footprint URL: https://www.thegoodapi.com/help/shopify/offset-your-websites-carbon-footprint/ Description: Offset your Shopify store''s hosting and visitor carbon footprint through GoodAPI''s Offset.org partnership with a one-time configuration. We partner with Offset.org so GoodAPI brands can offset their website's carbon footprint. Use code **GOODAPI3MO** to get 3 months free. ## Why offset your digital footprint? Every page load has an environmental cost. [Offset.org](https://offset.org/), powered by the Offset Foundation, offers a website carbon calculator that analyzes data transfer per visit and server energy intensity to calculate an accurate footprint for your digital presence. It also flags whether your site runs on green energy and rewards efficient infrastructure with a lower carbon score. ## How it works 1. Go to [offset.org](https://offset.org), run the calculator against your website, and click **Offset**. 2. Enter the code **GOODAPI3MO** at checkout. 3. You'll receive an Offset-certified badge you can customize and embed on your site — a simple way to show customers how you're reducing your digital footprint. --- # Preventing fraudulent orders of trees and plastic with GoodAPI URL: https://www.thegoodapi.com/help/shopify/preventing-fraudulent-orders-of-trees-and-plastic-with-goodapi/ Description: Protect your GoodAPI usage from fraudulent Shopify orders placed with stolen cards — recommended risk filters, tagging, and auto-cancel workflows. # Preventing Fraudulent Orders with GoodAPI Checkout Rules Fraudulent orders have become more common across the Shopify ecosystem. A common tactic involves **bots using stolen credit cards** to place very low-cost test orders (often under $1). Once validated, these cards are then used for larger fraudulent purchases or even chargebacks against the small test orders. At GoodAPI, we’ve noticed that fraudsters sometimes target our sustainability products (like **two trees** or **five plastic bottles**), which typically cost around $1–$1.50 depending on currency. To help protect your store, we’ve introduced a **checkout automation** that prevents these products from being purchased on their own. ## How the Automation Works * Customers **cannot purchase the “two trees” or “five plastic bottles” product by itself**. * These products must be combined with another item in the cart. * If someone attempts to purchase them alone, they’ll receive an error message such as: > *“This product cannot be purchased unless it is combined with another product.”* This ensures that fraudsters cannot exploit low-cost items for card testing. Follow our step by step instructions below to set this up or watch this video [Preventing fraudulent orders](https://www.loom.com/embed/46ac4800a9c84e9bb93138d85f768c77?sid=926585bf-abb6-41f3-9712-38f45f85cc38) ## How to Enable the Rule 1. **Log in** to your Shopify store. 2. Go to **Settings** → **Checkout**. 3. Scroll down to **Checkout Rules**. 4. Click **Add Rule**. 5. Look for the preconfigured GoodAPI rule: *“Prevent customers from purchasing tree/bottle product on its own.”* 6. **Click on it**, then select **Save**. 7. Finally, **turn on the rule**. Once enabled, your store will block fraudulent one-off purchases of these sustainability products. ## Important Notes * This automation specifically protects against fraud involving GoodAPI products like **two trees** or **five plastic bottles**. * If you have **other products priced under $1–$2**, you may need to implement additional fraud prevention measures or automations. * GoodAPI’s checkout rule is designed to reduce fraud exposure while ensuring legitimate customers can still support sustainability initiatives alongside other purchases. ## Summary By enabling this checkout rule, you can significantly reduce fraudulent low-cost orders on your store. This safeguard helps protect your revenue, minimizes chargebacks, and ensures your GoodAPI impact products remain a positive experience for real customers. We hope this helps, thank you for using GoodAPI to make a difference! 🌱 --- # Using GoodAPI Events and Data in Klaviyo URL: https://www.thegoodapi.com/help/shopify/using-goodapi-events-and-data-in-klaviyo/ Description: Reference for every GoodAPI event and profile property sent to Klaviyo — trees planted, plastic removed, lifetime totals, and template tags to use. # Using GoodAPI Events & Data in Klaviyo When you connect GoodAPI to Klaviyo, we automatically send environmental impact data every time one of your customers makes a purchase. This guide explains exactly what data is available and how to use it in your Klaviyo emails. ## How It Works Every time a customer places an order that generates environmental impact (trees planted or plastics removed), GoodAPI sends an **“Impact Created By Purchase”** event to Klaviyo. This event carries detailed data about the order’s impact, the customer’s lifetime impact, and your brand’s total impact. GoodAPI also updates **customer profile properties** on each event so you can use lifetime impact data in any Klaviyo email — not just flow emails triggered by the event. ## The “Impact Created By Purchase” Event This is the core event sent to Klaviyo. It fires automatically when a customer’s order generates environmental impact. ### When does it fire? * A customer places an order on your Shopify store * The order results in at least one tree planted **or** one plastic removed * Your Klaviyo integration is connected and active ### Event Properties (Order-Level) These properties describe the impact from a **single order**. Use them in flow emails triggered by the “Impact Created By Purchase” event. | Property | What It Is | Example Value | Klaviyo Template Tag | | ---- | ---- | ---- | ---- | | `num_trees` | Trees planted from this order | `3` | `{{ event.num_trees }}` | | `num_plastics` | Plastics removed from this order | `5` | `{{ event.num_plastics }}` | | `pounds_plastic_removed` | Pounds of plastic removed from this order | `0.23` | `{{ event.pounds_plastic_removed }}` | | `order_id` | The Shopify order number | `#1042` | `{{ event.order_id }}` | | `first_name` | Customer’s first name | `Jane` | `{{ event.first_name }}` | | `last_name` | Customer’s last name | `Smith` | `{{ event.last_name }}` | | `customer_id` | Shopify customer ID | `7849302` | `{{ event.customer_id }}` | | `shop_name` | Your Shopify store domain | `mystore.myshopify.com` | `{{ event.shop_name }}` | | `impact_type` | Your store’s impact mode | `per_order` | `{{ event.impact_type }}` | ### Event Properties (Customer Lifetime Totals) These are also included in each event and represent the customer’s **all-time** impact across every order they’ve placed. | Property | What It Is | Example Value | Klaviyo Template Tag | | ---- | ---- | ---- | ---- | | `customer_total_num_trees` | Total trees planted by this customer (all orders) | `12` | `{{ event.customer_total_num_trees }}` | | `customer_total_num_plastics` | Total plastics removed by this customer (all orders) | `20` | `{{ event.customer_total_num_plastics }}` | | `customer_total_pounds_plastic_removed` | Total pounds of plastic removed by this customer | `0.91` | `{{ event.customer_total_pounds_plastic_removed }}` | ### Event Properties (Brand Totals) These represent your **brand’s total impact** across all customers and all orders. | Property | What It Is | Example Value | Klaviyo Template Tag | | ---- | ---- | ---- | ---- | | `brand_total_num_trees` | Total trees your brand has planted | `5,420` | `{{ event.brand_total_num_trees }}` | | `brand_total_num_plastics` | Total plastics your brand has removed | `12,300` | `{{ event.brand_total_num_plastics }}` | | `brand_total_pounds_plastic_removed` | Total pounds of plastic your brand has removed | `559.09` | `{{ event.brand_total_pounds_plastic_removed }}` | ### Event Properties (Additional) | Property | What It Is | Example Value | Klaviyo Template Tag | | ---- | ---- | ---- | ---- | | `selected_reforestation_projects` | Active tree planting project IDs | `["veritree-us"]` | `{{ event.selected_reforestation_projects }}` | ## Customer Profile Properties In addition to event properties, GoodAPI updates **profile-level properties** on each customer in Klaviyo. These persist on the customer’s profile and are updated every time a new order is placed. Because these live on the profile, you can use them in **any** Klaviyo email: campaigns, flows, segments, and more, not just in emails triggered by the impact event. | Profile Property | What It Is | Example Value | Klaviyo Template Tag | | ---- | ---- | ---- | ---- | | `customer_total_num_trees` | Customer’s lifetime total trees planted | `12` | `\{\{ person\|lookup:"customer_total_num_trees"\|default:'' \}\}` | | `customer_total_num_plastics` | Customer’s lifetime total plastics removed | `20` | `\{\{ person\|lookup:"customer_total_num_plastics"\|default:'' \}\}` | | `customer_total_pounds_plastic_removed` | Customer’s lifetime pounds of plastic removed | `0.91` | `\{\{ person\|lookup:"customer_total_pounds_plastic_removed"\|default:'' \}\}` | ## How to Use This Data in Klaviyo ### 1. Post-Purchase Impact Emails (Flow) When you set up the GoodAPI integration, we create a flow called **“GoodAPI Email On Impact”** that triggers on the “Impact Created By Purchase” event. This flow starts in **draft mode** — you’ll need to set it to **live** in Klaviyo when you’re ready. This is the most common use case. After a customer places an order, they receive an email showing the impact their purchase made. **Example email copy using event properties:** ``` Hi {{ event.first_name }}, Thank you for your order! Your purchase just planted {{ event.num_trees }} tree(s) and removed {{ event.num_plastics }} plastic(s) from the ocean. So far, you've helped plant {{ event.customer_total_num_trees }} trees and remove {{ event.customer_total_num_plastics }} plastics across all your orders with us. Together with all our customers, we've planted {{ event.brand_total_num_trees }} trees! ``` ### 2. Campaigns & Newsletters Use **profile properties** to reference a customer’s lifetime impact in any campaign email — no event trigger required. **Example:** ``` Hi {{ person.first_name|default:'friend' }}, Did you know? Thanks to your purchases, you've helped plant {{ person|lookup:'customer_total_num_trees' }} trees and remove {{ person|lookup:'customer_total_pounds_plastic_removed' }} pounds of plastic. ``` ### 3. Segmentation You can create Klaviyo segments based on profile properties to target customers by their impact level. For example: * **High-impact customers**: Customers where `customer_total_num_trees` is greater than 10 * **Plastic champions**: Customers where `customer_total_num_plastics` is greater than 50 * **New impact customers**: Customers where `customer_total_num_trees` equals 1 (first-time impact) ### 4. Conditional Content Use Klaviyo’s template logic to show different content based on impact type: ``` {% if event.num_trees > 0 %} Your purchase planted {{ event.num_trees }} tree(s)! {% endif %} {% if event.num_plastics > 0 %} Your purchase removed {{ event.num_plastics }} plastic(s) from the ocean! {% endif %} ``` ### 5. Data Feed (Legacy) If you set up a GoodAPI data feed URL, you can pull your brand-level totals into any Klaviyo template: | Feed Property | Klaviyo Template Tag | | ---- | ---- | | Total trees planted (brand) | `{{ feeds.goodapi.total_trees_planted_merchant }}` | | Total plastics removed (brand) | `{{ feeds.goodapi.total_bottles_registered_merchant }}` | > **Note:** The data feed provides brand-level totals only. For customer-level data, use the event or profile properties described above. ## Quick Reference: Where to Use Each Data Type | Data Type | Available In | Best For | | ---- | ---- | ---- | | **Event properties** (order-level) | Flow emails triggered by “Impact Created By Purchase” | Post-purchase thank-you emails, order-specific impact details | | **Event properties** (customer totals) | Flow emails triggered by “Impact Created By Purchase” | Showing cumulative impact in post-purchase emails | | **Event properties** (brand totals) | Flow emails triggered by “Impact Created By Purchase” | Showing your brand’s overall impact alongside the order | | **Profile properties** (customer totals) | Any email — campaigns, flows, segments | Newsletter highlights, loyalty emails, win-back campaigns, segmentation | | **Data feed** (brand totals) | Any email — campaigns, flows | Brand-wide impact stats in any email | ## Frequently Asked Questions **Q: Why didn’t my customer receive an impact email?** The event only fires when an order generates at least one tree planted or one plastic removed. If the order didn’t produce any impact (e.g., impact settings aren’t configured), no event is sent. Also make sure the “GoodAPI Email On Impact” flow is set to **Live** in Klaviyo. **Q: Can I customize the email template?** Yes! When GoodAPI sets up the integration, we create an “Environmental Impact Template” in your Klaviyo account. You can edit this template directly in Klaviyo’s template editor. You can also create your own template and use any of the event or profile properties listed above. **Q: Do profile properties update automatically?** Yes. Every time a new order generates impact, GoodAPI updates the customer’s profile properties with their latest lifetime totals. No manual action required. **Q: Can I use impact data in my existing flows?** Absolutely. You can add the “Impact Created By Purchase” event as a trigger for any flow, or use profile properties (like `customer_total_num_trees`) in conditional splits and email content within your existing flows. **Q: What’s the difference between event properties and profile properties?** Event properties are tied to a specific event (order) and are only accessible in emails triggered by that event. Profile properties are stored on the customer’s Klaviyo profile and can be used anywhere — campaigns, flows, segments, and more. **Q: How is “pounds of plastic removed” calculated?** We calculate pounds based on the number of plastics removed: `plastics / 22`. This means roughly 22 plastic items equals 1 pound. --- # Using Growave Loyalty with GoodAPI to offer sustainability rewards URL: https://www.thegoodapi.com/help/shopify/using-growave-loyalty-with-goodapi-to-offer-sustainability-rewards/ Description: Let Growave Loyalty members redeem points for tree planting or ocean-bound plastic removal with a simple GoodAPI + Growave integration. In this guide, I’ll walk you through how to integrate **GoodAPI** with **Growave Loyalty** so you can offer tree planting or ocean-bound plastic removal as redeemable rewards inside your loyalty program. Follow step by step instructions below, or watch this video [Using Growave Loyalty with GoodAPI to offer meaningful rewards](https://komododecks.com/recordings/EEIiPm7UDkf85jfdaOTW) We’ll cover three main steps: 1. **Activate GoodAPI** 2. **Create a sustainability reward product** 3. **Sync the product with Growave Loyalty** ## 1. Activate GoodAPI 1. Install the **GoodAPI** app from the Shopify App Store (if you haven’t already). 2. Once installed, open the app and select the type of sustainability impact you want to create: * 🌳 Tree planting * 🌊 Ocean-bound plastic removal * Or both 3. Set a **monthly limit**. * This is a Shopify requirement and acts as a ceiling, not a guaranteed charge. 4. Choose your **impact model**: * Per product sold * Per order * Fixed monthly impact 👉 If you’re only using GoodAPI for loyalty rewards, we recommend choosing **fixed monthly impact** and setting the minimum (11 trees). ## 2. Create a Sustainability Reward Product Now we’ll create a product in Shopify that represents your sustainability reward. 1. Go to **Products** in your Shopify admin. 2. Create a new product (example: *Plant 10 Trees*). 3. Add a description and images (GoodAPI can provide this content via chat or links in the app). 4. Price the product correctly: * Trees = **$0.43 per tree** → *10 trees = $4.30* * Plastic = **$0.05 per bottle** → *10 bottles = $0.50* 5. Configure the product settings: * No charge or tax * Mark as a **digital product** (no inventory, no shipping) * Add a **GoodAPI tag** so we can track and fulfill impact: * Example: `goodapi-10-trees` * For plastic: `goodapi-10-plastics` ## 3. Sync the Product with Growave Loyalty Now that your sustainability product exists, add it to Growave Loyalty as a reward. 1. Open the **Growave Loyalty** app. 2. Go to **Rewards → Add ways to redeem → Free Product**. 3. Configure your reward: * Name: *Plant 10 Trees* (or similar) * Points: assign based on your program (equivalent to ~$4.30) * Select your product (*Plant 10 Trees*) * Set the discount value to **100%** (since it’s a free reward) 4. Save your changes. Your sustainability reward is now live in your loyalty program! 🎉 ## Example: Redeeming a Reward Here’s what it looks like in action: 1. A customer opens your loyalty rewards section. 2. They select *Plant 10 Trees* and redeem with their points. 3. At checkout, the coupon is automatically applied, and the order is completed. 4. GoodAPI tracks the redemption and updates your **Sustainability Hub**. ![GoodAPI tracks the redemption and updates your Sustainability Hub.](../../../../assets/help/shopify/using-growave-loyalty-with-goodapi-to-offer-sustainability-rewards/image_nzkg6p.png) ## The Sustainability Hub One of the powerful features of GoodAPI is the **Sustainability Hub**, where customers can see: * 🌳 How many trees they’ve planted * 🌍 Total impact from your store (trees or plastic removed) * 📸 Multimedia updates from planting/collection sites This helps your customers connect emotionally with your brand and strengthens their loyalty. ## Next Steps * Try redeeming your reward to test it. * Visit your Sustainability Hub to confirm tracking. * Use the provided content and stories to share your impact with customers. And that’s it! You’ve successfully integrated GoodAPI with Growave Loyalty to offer meaningful sustainability rewards. 🚀 --- # Using Loyalty Lion points for climate and social impact with GoodAPI URL: https://www.thegoodapi.com/help/shopify/using-loyalty-lion-points-for-climate-and-social-impact-with-goodapi/ Description: Offer LoyaltyLion members sustainability rewards — trees planted and plastic removed — by integrating GoodAPI''s impact SKUs into your LoyaltyLion program. # GoodAPI + LoyaltyLion Integration Guide GoodAPI integrates seamlessly with LoyaltyLion, allowing brands to offer **sustainability impact rewards** such as tree planting and plastic collection directly within their loyalty program. This guide walks you through setup, reward creation, and how customers can track their impact. Step by step instructions are below or you can follow the video guide here: [Video Guide](https://www.loom.com/embed/c2383434da724f55b1296906124ab497?sid=a73485d7-aff6-4bf1-9ad0-8a9726407bbd) ## 1. Connect GoodAPI to LoyaltyLion 1. Log in to your **GoodAPI app**. 2. Go to **Integrations** → **Manage LoyaltyLion**. 3. Click **Connect** and go through the OAuth authorization flow. 4. Once connected, you can begin creating sustainability rewards. ## 2. Create Sustainability Rewards Inside GoodAPI, you can create **any sustainability impact reward** with full flexibility. Examples include planting trees, removing ocean-bound plastic bottles, or combining both. ### Example: Plant 10 Trees 1. In GoodAPI, select **Create Reward**. 2. Name: `Plant 10 Trees`. 3. Impact type: **Trees**. 4. Quantity: **10**. 5. GoodAPI will show the **cost per redemption**, so you can assign the right number of loyalty points. 6. Save the reward. ### Example: Remove 10 Plastic Bottles 1. In GoodAPI, select **Create Reward**. 2. Name: `Remove 10 Ocean-Bound Plastic Bottles`. 3. Impact type: **Plastics**. 4. Quantity: **10**. 5. Cost per redemption will be displayed (example: $0.50). 6. Save the reward. ## 3. Add Rewards in LoyaltyLion In a separate tab, open **LoyaltyLion** so you can easily copy/paste the reward details from GoodAPI into LoyaltyLion 1. Log in to **LoyaltyLion**. 2. Go to **Rewards** → **Create Rewards** → **Custom Reward**. 3. Copy and paste the following details from GoodAPI: * **Title** * **Description** * **Fulfillment instructions** * **Webhook URL & Identifier** 4. Assign the correct **point value** for redemption. * Example: set to 1 point for testing, or align with your cost per redemption. ## 4. Customer Redemption Experience Once rewards are set up: 1. Customers can **claim rewards** from your LoyaltyLion widget or dashboard. 2. On redemption, they’ll see **fulfillment details** (example: “Funds will go to verified reforestation partners”). 3. Rewards are tracked in **real time** and synced with the customer’s account. ## 5. Impact Tracking (Customer Account Extension) A key feature of GoodAPI’s integration is the **Impact Hub and Customer Profile Extension**, connected to the customer's account. * Customers can view **total impact made on their profile**: * Example: *16 trees planted, 31 bottles removed*. * Impact Hub shows: * Project details (tree planting, plastic collection) * Stories, images, and content from the projects * Real-time updates after each redemption This provides transparency and keeps customers engaged with the positive impact they are creating. ![This provides transparency and keeps customers engaged with the positive impact they are creating.](https://storage.crisp.chat/users/helpdesk/website/-/6/0/2/2/602222fbee941400/image_8d3hut.png =800x603) ## Summary * **Connect** GoodAPI to LoyaltyLion via OAuth. * **Create rewards** (trees, plastics, or both) inside GoodAPI. * **Manually add rewards** in LoyaltyLion with provided details. * Customers can **redeem and track impact** in real time through their Customer Profile and Impact Hub. With this integration, your brand can turn loyalty points into meaningful environmental impact keeping customers engaged and building a story of sustainability around every purchase. --- # Using Smile.io points with GoodAPI to offer sustainability rewards URL: https://www.thegoodapi.com/help/shopify/using-smileio-points-with-goodapi-to-offer-sustainability-rewards/ Description: Let Smile.io program members redeem points for GoodAPI tree planting and plastic removal — setup guide with product content and configuration tips. With GoodAPI and Smile.io, your customers can redeem loyalty points for meaningful sustainability rewards — planting trees or removing ocean-bound plastic. This guide walks you through the setup. Follow the steps below, or watch the video walkthrough: [Using Smile.io points to make sustainability impact](https://komododecks.com/recordings/a9fTMPTncq0GkldwEIJE) ## Step 1: Activate GoodAPI 1. Install and open the **GoodAPI** app in Shopify. 2. Choose your desired impact type: * 🌳 Tree Planting * 🌊 Ocean-Bound Plastic Removal * Or both 6. Set your **monthly spend limit**. * This acts as a ceiling so GoodAPI won’t charge you beyond that limit. * Example: if you set $1,000 as the limit, that’s the maximum you’ll be billed in a given month. 7. Select **Monthly Fixed Impact** if you only want to make an impact via loyalty point redemptions (not per order/product). * Minimum to activate: ~11 trees (≈ $4.73). ## Step 2: Create a Reward Product in Shopify 1. In your Shopify **Products** section, create a new product (example: *Plant 10 Trees*). 2. Add a description and photos. (GoodAPI support can provide ready-to-use content via the chat bubble in the app.) 3. Set the price based on impact: * $0.43 per tree * Example: 10 trees = $4.30 4. Configure the product: * Uncheck **Track quantity** (it’s a digital product). * Uncheck **This is a physical product** (no shipping required). * Optionally, don’t charge tax since it’s being used as a free reward. * Add a **GoodAPI tag** so we can track and fulfill impact: * Example: `goodapi-10-trees` * For plastic: `goodapi-10-plastics` ## Step 3: Add the Reward in Smile.io 1. Open your **Smile.io** app. 2. Go to **Program → Redeem Points**. 3. Click **Add a way to redeem**. 4. Choose **Free product**. 5. Select the reward product you created (example: *Plant 10 Trees*). 6. Assign the number of loyalty points required (based on your program’s setup). 7. Save — the reward will now appear in your **Smile.io Loyalty Hub**. ## Step 4: Customer Redemption Flow 1. Customers visit your **Smile.io Loyalty Hub**. 2. They see the *Plant 10 Trees* reward in the **Points Shop**. 3. When redeeming: * A discount code is generated. * They apply the code at checkout for the *Plant 10 Trees* product. * The product becomes free, and the order is completed. 4. GoodAPI automatically updates the customer’s **Sustainability Hub**: * Shows total trees planted or plastic removed by that customer. * Displays brand-wide impact. * Includes media (photos/videos) about where the impact is happening. ![Track impact in impact hub](../../../../assets/help/shopify/using-smileio-points-with-goodapi-to-offer-sustainability-rewards/image_1xrkuu8.png) ## Need Help? For product images, descriptions, or setup help, reach out via the chat inside the GoodAPI Shopify app or email [support@thegoodapi.com](mailto:support@thegoodapi.com). Our team can provide content and guidance. --- # Donating vs Planting Trees: What's the Difference? URL: https://www.thegoodapi.com/blog/donating-vs-planting-trees-difference/ Description: Why buying a tree through GoodAPI is not the same as donating to a tree charity, and what the procurement model means for verified impact. Published: 2026-04-22 If you have ever sent $50 to a tree-planting nonprofit and wondered what actually happened to that money, you are not alone. The honest answer is that most donation-based tree programs cannot tell you which tree your dollars planted, when it went into the ground, or whether it survived its first year. Some of your money funded planting. Some funded operations. Some sat in a general fund waiting for next year's planting season. That is how charitable accounting works, and it is not anyone's fault. It is just the structure of donating to a nonprofit. GoodAPI works differently, and the difference matters more than it sounds. We do not collect donations and pass them along. We pre-purchase trees from verified planting organizations under multi-year contracts, with deposits that fund the actual work of planting before a single sapling goes into the ground. When your Shopify customer triggers a tree through your store, that dollar attaches to a real tree in a real project, planted on a real date, in a real location. Below is what that procurement model actually looks like, why it produces a stronger story than a donation, and what it means for your brand. ## Donation Model vs Procurement Model A donation-based tree program runs on a simple flow: a donor sends money, the nonprofit pools it with every other donation, and at some point in the future the organization spends that pool on planting, overhead, fundraising, monitoring, and administration. The donor receives a receipt and, if the nonprofit is generous with reporting, an annual update with aggregate numbers like "we planted 4 million trees in 2025." There is no way to point to a specific tree and say "this one is mine." A procurement model works the opposite way. The buyer signs a contract for a specific number of trees, at a specific price per tree, planted in a specific project over a specific season. The buyer pays a deposit upfront. The planting partner uses that deposit to actually do the work, and the buyer pays the balance as trees go into the ground. Because the contract specifies counts, locations, and dates, every tree is attributable. There is a one-to-one mapping between dollars spent and trees planted. GoodAPI is on the procurement side. We are, structurally, a tree-planting buyer who resells verified planting capacity to ecommerce stores. That sounds dry, but it is the foundation of everything that makes our impact data trustworthy. ## What "Pre-Purchasing One Million Trees" Actually Means Every year, before planting season starts, we sit down with our verified planting partners (primarily Veritree's network) and we forecast how many trees the GoodAPI merchant base will need for the coming year. We then sign contracts for that volume. As an example: we might commit to one million trees for next year's rainy season in a specific project, and we put down a deposit on signing. That deposit is not a token. It is what the planting organization needs in order to do the actual prep work months before the first tree is planted. Specifically, the deposit funds: - **Hiring the planting crew.** A million-tree project in a coastal mangrove zone might require dozens of full-time and seasonal staff. They need to be hired, trained, and paid before planting begins, not after. - **Setting up the nursery.** Saplings have to be grown to a transplantable size before they can go into the ground. Nursery operations start six to twelve months before planting. That requires shade structures, irrigation, soil prep, and seed sourcing. - **Buying equipment.** Boats for mangrove access, hand tools, GPS units for geo-tagging, monitoring sensors, transport vehicles. None of this is free. - **Securing land access.** In many of the regions where reforestation has the highest ecological return (Madagascar, Kenya, Indonesia), planting on the right land requires negotiations with local communities and government authorities. Those negotiations take months and require funding. - **Training local communities.** The most durable reforestation projects pay local stewards to monitor and maintain trees through their first years. That program needs to be set up and funded in advance. Without an upfront deposit, none of this happens at the right time. A planting organization that only receives donations after the fact has to either operate at a smaller scale or front the costs themselves and hope donations show up. That is why pre-purchase contracts are so valuable to the planting side: they let the work be planned, staffed, and executed at the scale and quality the trees actually need to survive. ## How That Maps to a Single Tree on Your Customer's Receipt Here is what that looks like from the merchant and customer side. A shopper places an order on your Shopify store. The GoodAPI app fires a planting event tied to a specific project, partner, and pre-purchased contract. That tree gets allocated against your store's account in our system, and the planting partner counts it against their delivered volume for that contract. Your customer sees a confirmation that says, in effect: a tree has been allocated to the [project name] reforestation project in [country], to be planted in the [season] planting cycle, and tracked through Veritree. When the planting actually happens, those allocated trees are physically planted in the project, geo-tagged, and entered into the verification pipeline. The certificate your store receives at month-end is not an aggregate donation receipt. It is a count of verified, attributable trees, each linked to a project record. Compare that to the donation flow: customer sends $X to a tree charity, charity issues a thank-you, customer hopes a tree gets planted somewhere within the next year. There is no contract, no reservation, no specific tree, and (typically) no project-level transparency back to the donor. ## Where Your Money Actually Goes in Each Model Charity Navigator and similar watchdogs publish overhead percentages for major nonprofits, and well-run tree-planting charities typically spend 70 to 85 percent of donations on programs, with the rest on fundraising and administration. That is reasonable for a charity. But it does mean that a donor sending $10 to a tree charity might see somewhere between $7 and $8.50 reach actual planting work, and there is no guarantee about which trees those dollars buy or when they go in the ground. In a procurement model, the cost-per-tree is contractual. GoodAPI's $0.43 per tree price is what we negotiate with our planting partners, and it includes the planting partner's overhead, equipment, monitoring, and verification. There is no "fundraising overhead" layer because we are not raising funds. We are buying trees at wholesale and reselling them to merchants at the same per-tree rate. This is also why GoodAPI does not charge a monthly subscription fee. The economics work because we buy at scale and our merchants pay only for the impact units they generate. The model is closer to how an ecommerce platform handles fulfillment than how a charity processes donations. ## The Verification Layer: Why Veritree Matters Pre-purchasing trees only matters if you can prove they actually got planted. That is the verification layer, and it is why GoodAPI plants exclusively through Veritree's network. Veritree is a verified reforestation organization with global projects. Every tree planted through their platform is geo-tagged, photographed at planting, and tracked through its critical first years of growth. That tracking includes survival monitoring, which is the part of reforestation that historically gets skipped. Plenty of "trees planted" numbers in the industry refer to the moment a sapling enters the ground, with no follow-up on whether it survived. Veritree's stewardship model funds local crews to monitor trees through year three to five, which is when the survival rate stabilizes. The combination of contractual pre-purchase plus Veritree verification is what produces the chain of evidence: this dollar bought this tree, planted on this date, in this project, at these GPS coordinates, and confirmed alive at this monitoring interval. That is dramatically stronger than a donation receipt. For more on what verified planting actually means, see our [guide to choosing a verified tree planting company](/blog/verified-tree-planting-company-guide/) and our [Veritree alternatives breakdown](/blog/veritree-alternatives-tree-planting-verification/). ## Why This Matters for Your Brand Story If your brand uses sustainability in marketing, the structural difference between donation and procurement directly affects what claims you can credibly make. A merchant on a donation-based program can say "we donated to plant trees." That is true, but it is increasingly under scrutiny from consumers and regulators, especially in markets like the EU where the [Green Claims Directive](/blog/avoid-greenwashing-ecommerce/) requires that environmental claims be substantiated and verifiable. A merchant on GoodAPI's procurement model can say "we plant a tree for every order, verified by Veritree, in our Kenya reforestation project." That claim is substantiated. There is a contract behind it, a count behind it, GPS coordinates behind it, and a monitoring trail behind it. If a regulator or a journalist asks you to back up the claim, you can. This becomes especially important as ESG reporting matures. Aggregate donation numbers are not auditable in the same way that contractually-reserved, geo-tagged, monitored planting volumes are. As reporting frameworks tighten, the procurement model holds up under scrutiny in a way the donation model cannot. ## Donation Programs Are Not Bad. Procurement Is Just Different. To be clear, this is not a criticism of tree-planting nonprofits. Most of them do excellent work, and many of the planting organizations that GoodAPI buys from operate as nonprofits themselves. The difference is structural, not moral. Donations fund programs; procurement reserves specific outputs. Both have a place in the climate funding ecosystem. What is worth understanding, especially if you are choosing how to integrate sustainability into your ecommerce store, is that the procurement model produces a fundamentally more attributable and more defensible impact story. Every dollar your customer spends maps to a specific tree in a specific project. That is not something a donation flow can match. ## Try It on Your Store If you want to see what attributable, contractually-reserved tree planting looks like in your store, GoodAPI is free to install and your first 50 trees are on us. There are no monthly fees and setup takes less than two minutes. [Install GoodAPI on the Shopify App Store](https://apps.shopify.com/tree-planting) and start planting trees that you can actually trace back to your customers' orders. For a deeper look at how the planting partnerships work, see our [Veritree verification guide](/blog/goodapi-veritree-tree-planting-verification/) and our [overview of real tree planting for businesses](/blog/real-tree-planting-for-businesses/). --- # EcoCart vs Greenspark vs GoodAPI: 2026 Comparison URL: https://www.thegoodapi.com/blog/ecocart-vs-greenspark-vs-goodapi-2026/ Description: EcoCart, Greenspark, and GoodAPI compared for Shopify in 2026: pricing, features, ratings, carbon offset versus trees, and which app to pick. Published: 2026-04-22 If you sell on Shopify and you want a sustainability program that actually shows up at checkout, three apps tend to dominate the shortlist: EcoCart, Greenspark, and GoodAPI. Each one approaches "climate impact per order" from a slightly different angle, and the right pick depends on whether you care more about carbon offsets, tree planting, badge surface area, or developer flexibility. This post puts all three side by side. We will walk through pricing, features, ratings, the verification model, and the type of merchant each app is built for. The goal is to give you enough detail to choose without having to install all three and reverse-engineer the differences yourself. ## A Quick Snapshot of Each App **EcoCart** is best known as a carbon offset Shopify app. Customers see an option at checkout to make their order carbon neutral, usually adding 1 to 2 percent to the order total, and EcoCart routes those funds to verified offset projects. In recent years it has expanded into shipping protection and post-purchase upsells, so the app is now a hybrid of climate add-on and checkout optimization. **Greenspark** positions itself as a climate dashboard for ecommerce. A single Shopify install lets you attach trees, plastic rescue, carbon offsets, clean water, kelp, or bee protection to any trigger you choose: per order, per product, per subscription, percentage of order value, or tiered spend thresholds. It has a 5.0 star rating on the Shopify App Store from a smaller but very positive review base. **GoodAPI** focuses tightly on tree planting and ocean-bound plastic removal, both verified by Veritree. The Shopify app installs in under two minutes, costs $0.43 per tree with no monthly fee, and gives you more than ten badge placements across product pages, cart, customer accounts, and loyalty integrations. It carries the Built for Shopify badge and a 4.9 star rating across more than 200 reviews. ## Side-by-Side Feature Comparison The table below covers the dimensions most merchants ask about. Every figure was checked against the apps' Shopify listings and public pricing pages in April 2026; the apps update their plans regularly, so always confirm before committing. | Dimension | EcoCart | Greenspark | GoodAPI | |---|---|---|---| | Primary impact type | Carbon offset | Trees, plastic, carbon, water, bees | Trees, ocean plastic | | Star rating (Shopify) | ~3.7 | 5.0 | 4.9 | | Approx. review count | 80+ | 60+ | 300+ | | Monthly fee | Tiered (free + paid) | $9 to $99/month | None | | Per-impact cost | % of order value | $0.45+ per tree | $0.43 per tree, $0.05 per bottle | | Free units to start | None | 1 to 30 on paid plans | 50 trees, 100 bottles | | API access | Limited, custom | Growth plan ($39+/mo) | Included on every plan | | Built for Shopify badge | No | No | Yes | | Shopify Flow support | Limited | Limited | Native, full | | Setup time | 10 to 15 minutes | 5 to 10 minutes | Under 2 minutes | | Verification | Verified offset registries | Various partners | Veritree (GPS, geotagged) | | Badge placements | Cart, checkout banner | Product, cart, counter | 10+ placements including loyalty | A few of those rows deserve a closer look, because the headline numbers do not always tell the full story. ### Pricing Models Are Not Apples to Apples EcoCart charges a percentage of the customer-paid offset, which means cost scales with order value rather than with the unit of impact you produce. Greenspark adds a fixed monthly subscription on top of per-impact costs, so a quiet month still has a baseline expense. GoodAPI charges only for the impact units you generate, which means a slow week costs you nothing. For a store doing 1,000 orders a month at $0.43 per tree, GoodAPI's bill is $430 with no subscription. Greenspark's Growth plan would be $39 per month plus per-tree costs, and EcoCart's percentage model varies with your average order value and customer opt-in rate. None of these are right or wrong, but the differences add up over a year. ### Verification Quality Matters for Marketing If you plan to use your sustainability program in marketing, the strength of your verification chain becomes a real differentiator. EcoCart's offsets are routed through registries like Verra and Gold Standard, which is the industry baseline for carbon credits. Greenspark uses a mix of partners depending on the impact type. GoodAPI plants every tree through Veritree, a verified reforestation organization that provides GPS coordinates, geotagged photos, and tracks each project through the trees' critical first years of growth. The practical effect is that GoodAPI merchants can hand a customer a certificate that links back to a specific project location and a specific count of verified trees. That level of granularity is harder to produce with bundled offsets or aggregated impact data. If avoiding greenwashing accusations is high on your list, the depth of the verification chain is one of the most important things to evaluate. ## Where Each App Is the Right Choice ### Choose EcoCart if you want carbon-neutral shipping EcoCart is the most mature carbon offset Shopify app on the market. If your sustainability strategy is built around the carbon-neutral framing, your customers expect to see a checkbox at checkout that offsets their order, and you do not need a tree-planting or plastic component, EcoCart fits naturally. It also has a deeper post-purchase product suite, including shipping protection, which can matter if you want to bundle climate features with checkout optimization. The trade-offs to keep in mind: the app's Shopify rating sits well below Greenspark and GoodAPI, and the percentage-based pricing is harder to forecast than per-unit costs. Carbon offsets as a category have also faced increasing scrutiny in 2025 and 2026 over additionality and permanence, so make sure the projects EcoCart routes to align with your customers' expectations. ### Choose Greenspark if you need many impact types in one app Greenspark is genuinely strong when your sustainability program spans multiple categories. If you want to plant trees per order, rescue plastic per subscription signup, and offset carbon for shipped orders, all from a single dashboard, Greenspark is the broadest single-app solution. Its 5.0 star rating reflects strong execution on what it does, and the per-trigger flexibility is best in class. Two things to watch: API access is gated behind the $39 per month Growth plan, which can be a real constraint for stores that want to build custom integrations or sync impact data into a headless storefront. And the monthly fee structure means costs do not scale down during slow seasons. ### Choose GoodAPI if you want a focused, high-trust tree planting program GoodAPI is the right fit if your goal is a clean, transparent tree planting and ocean plastic program with no monthly fees, the most badge surface area on the page, and full API access from day one. The Built for Shopify badge means it has been vetted against Shopify's highest standards for performance and merchant experience, which matters for stores that already pay attention to checkout speed and Lighthouse scores. The combination of $0.43 per tree, 50 free trees on signup, and full Veritree verification gives merchants a sustainability story that holds up to scrutiny without a fixed monthly commitment. GoodAPI does not offer carbon offsetting in the traditional sense, so if Scope 3 reporting is a hard requirement for your business, you may want to pair it with a dedicated offset provider rather than rely on a single app. ## How the Three Apps Stack Up on AI Discovery A practical 2026 consideration: customers and merchants increasingly discover Shopify apps through AI assistants, not just app store search. We track citations across Gemini, OpenAI, and Perplexity weekly, and the comparison-style content these models pull from heavily favors apps with clear positioning, transparent pricing, and verified impact partners. Greenspark and GoodAPI both surface consistently in AI answers about Shopify sustainability apps; EcoCart shows up most often in carbon-offset queries specifically. If the customer journey for your buyers includes asking ChatGPT or Gemini "what is the best Shopify app to plant a tree per order," the apps with sharp, well-defined positioning tend to win. That is a structural reason to make sure whichever app you pick matches the keyword you want to be found for. For more on how AI assistants surface Shopify sustainability apps, see our piece on [how AI agents discover Shopify sustainability apps](/blog/shopify-sidekick-ai-agents-sustainability-apps/). ## A Decision Framework You Can Use Today Rather than picking based on which app has the best landing page, work through the questions below in order. The first answer that maps to a single app is usually the right pick. 1. Do you need carbon-neutral shipping as a checkout option, branded to your store? Pick EcoCart. 2. Do you need three or more impact types (trees, plastic, carbon, water, bees) in one dashboard? Pick Greenspark. 3. Do you want the lowest cost per tree, no monthly fee, full API access, and Veritree-verified planting? Pick GoodAPI. 4. Do you want both a focused tree planting program and a separate carbon offset partner you trust? Pick GoodAPI for the planting layer and add a dedicated offset provider. Most independent and mid-market Shopify stores in 2026 land at option 3 or 4. Carbon offset markets are still consolidating, customers are increasingly asking for project-level transparency, and the marketing value of being able to point to a specific Veritree project is larger than the value of an aggregated offset number. ## Try GoodAPI Free Today If you want to test what tree planting per order looks like in your store, GoodAPI is free to install and your first 50 trees are on us. There is no monthly fee, no credit card required to start, and setup typically takes less than two minutes. [Install GoodAPI on the Shopify App Store](https://apps.shopify.com/tree-planting) and start showing your customers verified impact today. For deeper comparisons, see our [Greenspark vs GoodAPI breakdown](/blog/greenspark-vs-goodapi-shopify-comparison/), our guide to [the best Shopify tree planting apps in 2026](/blog/best-shopify-tree-planting-apps-2026/), and our [comparison of Ecologi, Evertreen, and GoodAPI](/blog/goodapi-vs-ecologi-vs-evertreen/). --- # How AI Agents Discover Shopify Sustainability Apps URL: https://www.thegoodapi.com/blog/shopify-sidekick-ai-agents-sustainability-apps/ Description: Shopify Sidekick and AI agents now recommend apps to merchants. Here is how sustainability apps get found, picked, and installed in 2026. Published: 2026-04-21 Ask any Shopify merchant where they found their last app, and the answer used to be simple: the Shopify App Store. They typed a keyword, scrolled through cards, compared screenshots, and read reviews. In 2026 that journey is changing fast. Shopify Sidekick, the AI assistant built into every admin, can now recommend apps, compare them side by side, and in some cases install them without the merchant ever opening the App Store tab. Outside of Shopify, agentic storefronts are pushing products into 13 billion monthly AI conversations on ChatGPT, Gemini, and Microsoft Copilot. App discovery has moved from a browsing problem to a conversation problem, and sustainability apps like GoodAPI are in a unique position to benefit. This guide walks through how Shopify Sidekick and AI agents actually surface sustainability apps in 2026, what merchants can do to get better recommendations, and what app builders need to know about the new Sidekick App Extensions framework. If you have ever wondered why your store might already be three questions away from a new integration, this post is for you. ## What Shopify Sidekick Does in 2026 Sidekick launched as a general-purpose assistant in the Shopify admin, but the 2026 version has a much sharper commercial edge. It can answer natural language questions about store performance, draft email flows, rewrite product descriptions, and most importantly for app builders, suggest apps that solve specific merchant problems. When a merchant types something like "show me lightweight review apps that do not affect site speed and work with Judge.me," Sidekick returns a short, personalized list rather than a generic App Store search. A few design choices make this different from the old search experience. Sidekick weighs the merchant's existing tech stack, theme, and plan tier. It looks at what the merchant has already installed. It reads the phrasing of the question carefully, picking up constraints like "free plan" or "EU hosting." The result is that a merchant who asks for "an app that plants a tree for every order" gets a short, filtered list rather than 40 cards to sort through. For a category like sustainability, where merchants often have very specific requirements around verification, pricing, and reporting, this changes the economics of discovery. ### Why Sustainability Apps Are Well Suited to AI Discovery Sustainability is a category where nuance matters. A merchant looking for a tree planting app might care about the reforestation partner, whether the trees are geolocated, how pricing scales with order volume, and whether the app exposes a reporting API. Those details rarely fit on a search results card. In a conversation they fit naturally. A merchant can ask Sidekick "which Shopify tree planting apps have verified planting partners and a public API?" and get an answer that actually addresses both conditions. That is a fundamentally better discovery experience than scrolling through listings that all look roughly the same. ## How Sidekick App Extensions Work Behind the scenes, Sidekick does not invent its app recommendations. It leans on a combination of App Store metadata, merchant context, and a new developer-facing surface called Sidekick App Extensions. Launched as a developer preview by Shopify, Sidekick App Extensions give app builders two ways to expose their app to the assistant. The first type, data extensions, lets Sidekick search inside an app's data to answer questions. For GoodAPI, a data extension could allow Sidekick to answer questions like "how many trees has my store planted this month?" or "what is the cost per tree across my recent orders?" The merchant never leaves the chat. The app answers, Sidekick summarizes, and the merchant gets a useful answer faster than they could by opening a dashboard. The second type, action extensions, lets Sidekick propose scoped changes to the app's configuration on behalf of the merchant. Instead of walking into the app's settings page, the merchant might say "increase my per-order donation from one tree to two" and Sidekick would suggest the change, surface a confirmation dialog, and execute it once the merchant approves. The merchant stays in control, which is essential for any action that affects billing or customer-facing behavior. ### The Technical Rules Developers Need to Know For teams building or updating Shopify apps, a handful of technical constraints matter more than the surface API. Sidekick requires responses within about one second, so any call that hits a slow backend will get skipped. Responses have to fit inside a 4,000 token budget, which means long logs, full CSV dumps, and raw analytics payloads need summarization on the app side. The description field in the extension config is not a nice-to-have. Sidekick uses it to decide whether an extension is even relevant to a merchant's question, so a vague description simply never gets triggered. App builders who approach this like SEO metadata, with clear nouns, verbs, and scope, see their extensions called more often. ## The Bigger Picture: Agentic Commerce Beyond Sidekick Sidekick is only one surface. Shopify announced the Universal Commerce Protocol, an open standard co-developed with Google and backed by more than 20 ecosystem partners including Etsy, Wayfair, Target, and Walmart. UCP lets any AI agent, not just Sidekick, discover and transact against Shopify merchants. Shopify's agentic storefronts feature takes this further, putting products into AI channels like ChatGPT, Google AI Mode and Gemini, and Microsoft Copilot. Shopify estimates 13 billion monthly AI conversations happen across those platforms, and it wants merchants to be recommendable inside every one of them. For sustainability apps, the storefront side is a new and underrated growth channel. When a shopper asks ChatGPT for "eco-friendly alternatives for daily routines," the AI considers product sustainability features, user reviews, and brand values before surfacing options. A merchant whose store is clearly tagged as "plants a tree per order" or "ocean plastic removal included" is more likely to be surfaced than one that simply lists products without the sustainability context. The app the merchant installed becomes part of the merchant's AI-visible brand signal, not just a backend integration. ### The Emerging "Sidekick Channel" for Installs Shopify tracks where app installs come from, and "sidekick" has started appearing as a distinct acquisition channel for app builders. Early data is modest in volume but high in quality: merchants who install through Sidekick tend to convert to paid plans at rates similar to or higher than direct App Store installs. That makes sense. By the time Sidekick recommends an app, the merchant has described their need in their own words, reviewed a short list, and picked the option that fits. There is no ad impression, no curiosity click, no 20-minute comparison session. The intent is pre-qualified. For app builders in sustainability, the implication is direct: optimizing for Sidekick and AI agent discovery is now part of the job description. It is adjacent to App Store SEO but it is not the same thing. Listing descriptions, category tags, and extension descriptions all matter, and the way they read to a language model matters more than how they look on a listing card. ## How Merchants Can Get Better AI App Recommendations If you are a merchant reading this, here is what you can do today to get better results from Sidekick and other AI agents when you need a new app. Be specific about your stack and plan. "I am on Shopify Basic, I use Judge.me for reviews, and I need a sustainability app that does not add a second checkout step" will return a far better list than "recommend a sustainability app." State your must-haves and your deal-breakers. Phrases like "requires a public API," "no upfront monthly fee," "must integrate with Shopify Flow," or "must plant verified trees with a named partner" are all signals Sidekick uses to narrow the list. Ask for comparisons. Sidekick is comfortable returning two or three options with the tradeoffs between them. This is often more useful than asking for a single recommendation, because it gives you the reasoning you would normally have to reconstruct from reviews. Follow up with evidence questions. You can ask "what reforestation partner does this app use?" or "show me screenshots from recent reviews of this app." The assistant works better when you treat it like a research partner instead of a vending machine. ## Where GoodAPI Fits GoodAPI is a tree planting app for Shopify that plants verified trees for every order your store receives. Planting runs through Veritree, a reforestation partner that geolocates each tree, tracks it through its first years of growth, and publishes verification data. The app is designed for the questions merchants ask in a Sidekick world: what is the cost per tree, how are trees verified, can I see planting data in my reports, does it work with Flow, does it expose an API for custom reporting. Our team has been optimizing the app's metadata and extension surface so that when a merchant asks Sidekick for "a tree planting app with verified planting and a developer API," GoodAPI is one of the options that comes up. The GoodAPI app is available on the [Shopify App Store](https://apps.shopify.com/tree-planting), and developers building on top of the platform can start with the public documentation at thegoodapi.com. If you want to see the app recommended by Sidekick for your store, try asking it: "I want to plant a verified tree for every order and track it in my reports. What do you recommend?" ## What Comes Next for AI-Driven App Discovery The direction of travel is clear. AI agents will get better at asking follow-up questions, reading merchant context, and executing safe configuration changes inside apps. The Sidekick App Extensions framework will move out of developer preview into general availability, and the set of apps that support both data and action extensions will widen. Outside of Shopify, agentic storefront traffic from ChatGPT, Gemini, and Copilot will continue to grow as AI shopping becomes a default behavior rather than a novelty. For merchants, this is mostly good news. Getting the right app becomes a conversation instead of a research project. For app builders, it is a shift in priorities. The old playbook of App Store SEO, listing screenshots, and review velocity is still important, but it sits next to a new playbook built around conversational metadata, machine-readable descriptions, and scoped extension actions. Sustainability apps that invest early in that new playbook will show up in more recommendations, more often, and in the conversations that lead to installs. If you are running a Shopify store and sustainability is part of how you want to be known, ask Sidekick what it would recommend. And if you want trees planted with verified partners from order one, [install GoodAPI on the Shopify App Store](https://apps.shopify.com/tree-planting) to get started. --- # Best Tree Planting APIs for Developers (2026) URL: https://www.thegoodapi.com/blog/best-tree-planting-apis-for-developers/ Description: 5 tree planting APIs ranked by developer experience: docs, sandbox keys, webhooks, auth, pricing. See which API ships in under an hour. Published: 2026-04-20 If you've ever tried to bolt sustainability onto a product that wasn't designed for it, you know the pattern. A non-technical stakeholder sends a link to a "tree planting partner," and the integration story is a contact form, an enterprise sales call, or a CSV upload from your finance team every month. That's not an API. That's a workflow. The good news for 2026 is that there are now several real, developer-grade tree planting APIs you can sign up for, get a sandbox key, and integrate in an afternoon. The bad news is that they aren't equal. Some are well-documented and feel like working with Stripe or Twilio. Others have a clean homepage and very little behind it. This post ranks the best tree planting APIs for developers based on the things developers actually care about: documentation, authentication, sandbox environments, webhooks, error handling, pricing transparency, and SDK support. We work on GoodAPI, so we're biased. We've still tried to give a fair read based on each provider's public docs and developer community feedback. ## What Makes a Tree Planting API "Developer-Friendly" Before the rankings, here's the rubric we use. If you're evaluating a sustainability API for a production system, these are the questions that matter more than marketing copy. ### Authentication and onboarding A good API gives you a key as soon as you sign up, no sales call required. Bearer tokens in headers are the modern default. Bonus points if there's a clearly separated test key and live key, similar to how payment APIs work. ### Sandbox and test data You shouldn't have to spend real money to verify your integration. The best providers offer a sandbox environment where requests behave exactly like production but no trees are queued and no invoices are generated. If a provider doesn't have a test mode, your only option is to integrate against production and hope for the best. ### Documentation quality API references should include real request and response payloads, not just field tables. Look for code samples in at least three languages, copyable cURL commands, and an explanation of error codes. If the docs feel like a brochure, the API will feel like one too. ### Webhooks and idempotency For anything more advanced than fire-and-forget, you'll want webhooks for status updates (planting confirmed, batch settled, certificate ready) and idempotency keys so retries don't double-charge you. Both are table stakes for production systems. ### Pricing you can model If you can't see per-unit pricing on the website, your finance team won't be able to model it either. Transparent per-tree pricing also makes it much easier to expose the cost to your own customers if you want to. ### Verification you can show Your customers will eventually ask, "is this real?" The API should return enough metadata (project location, partner organization, planting batch ID) that you can build a credible impact page or certificate without taking the provider's word for it. With that rubric in place, here's how the major options stack up. ## The 5 Best Tree Planting APIs for Developers in 2026 ### 1. GoodAPI We're the team behind GoodAPI, so file this under "biased but informed." We built GoodAPI specifically because the existing options either required a sales call to get an API key or treated developers as an afterthought. What you get on signup: - A REST API with token-based authentication, so requests look like any modern API call - Separate test and live keys, with a sandbox that mirrors production behavior - Webhooks for planting confirmations, batch settlements, and certificate generation - Idempotency keys on write endpoints - Code samples in JavaScript, Python, Ruby, PHP, and Go - A native Shopify app for merchants who don't want to write code, sitting on top of the same API Pricing starts at $0.43 per tree, billed monthly with no upfront fees, and you only pay for trees that actually get queued. Trees are planted through Veritree, a verified reforestation organization with global projects, and each planting is geolocated and tracked through its critical first years of growth. Best for: developers who want to ship a working integration in an afternoon and merchants who want a Shopify app backed by a real API. If you want to skip the comparison and just start building, you can grab an API key from the [GoodAPI developer docs](https://www.thegoodapi.com/docs/api/) or install the [GoodAPI Shopify app](https://apps.shopify.com/tree-planting) directly from the App Store. ### 2. Digital Humani Digital Humani has been around longer than most of the providers on this list and has a solid technical reputation. Their "Reforestation as a Service" framing is essentially the same idea as a tree planting API: send a request, a tree gets planted, you get back a reference ID. The API is a clean REST design with a small set of endpoints. Authentication is via API key in the header. Pricing is around $1 per tree, with the money going directly to the reforestation organization (Digital Humani charges a separate platform fee). Several reforestation projects are available, and you can pick which one each request supports. Where it falls short for some teams: there's no native ecommerce app, so Shopify or BigCommerce merchants need to build the trigger logic themselves. Webhooks are limited compared to newer providers. Best for: backend developers who want a clean per-tree API and don't need a packaged ecommerce integration. ### 3. 1ClickImpact 1ClickImpact bundles tree planting alongside ocean cleanup and carbon capture under a single API. The pitch is "one integration, multiple impact actions," which is genuinely useful if your product needs more than one sustainability lever. Pricing for trees starts around $0.50 per tree. The API supports automation triggered by user actions, and there's documentation for both REST endpoints and a no-code path for non-developers. The trade-off is breadth versus depth. Because the platform spans multiple impact types, the verification story is necessarily a generalization across partners. If you only care about trees and you want the deepest integration, a tree-focused API will usually feel tighter. Best for: products that want a single API for trees, ocean plastic, and carbon, and that don't need the deepest tree-specific tooling. ### 4. Waldonia Waldonia is the new entrant on this list, and it's worth a look if you value simplicity above everything else. The API is small (a single POST is enough to order trees) and the documentation reflects that. There's a sandbox at sandbox.waldonia.com, and pricing is a flat €1 per tree with no tiers and no subscription. Webhook support is on the roadmap but limited at time of writing. There's no native ecommerce app, so you'll be writing the integration glue yourself. Best for: solo developers and small teams who want the absolute minimum surface area and a fixed per-tree cost. ### 5. Ecologi Ecologi is one of the better-known sustainability brands, mostly through its consumer subscription product. The developer API is a more recent addition, and it integrates with Zapier for no-code automation as well as offering direct REST access. The platform offers both carbon offsetting and tree planting, which can be useful if you want to package both into a single product. Documentation is decent, though the API surface is smaller than GoodAPI or Digital Humani, and pricing is less transparent than the per-tree model used by competitors. Best for: teams that want a brand-recognized partner and are comfortable with a Zapier-first workflow. ## Quick Comparison Table | API | Auth | Sandbox | Webhooks | Per-tree price | Native Shopify app | |-----|------|---------|----------|----------------|-------------------| | GoodAPI | Bearer token | Yes | Yes | $0.43+ | Yes | | Digital Humani | API key header | Limited | Limited | ~$1.00 | No | | 1ClickImpact | API key header | Yes | Yes | ~$0.50 | No (multi-impact focus) | | Waldonia | API key header | Yes | Roadmap | €1.00 | No | | Ecologi | API key + Zapier | Limited | Via Zapier | Less transparent | No | Numbers reflect publicly listed pricing at time of writing. Always confirm against the provider's current pricing page before you commit. ## How to Ship a Tree Planting Integration in an Afternoon If you've picked your provider, the actual integration is the easy part. Here's the rough shape of a clean integration regardless of which API you choose. First, store your API key in a secrets manager or environment variable. Never commit it to source control, and never expose it to client-side code. Tree planting APIs are write APIs, and you don't want a stranger queuing a thousand trees because your key leaked into a bundle. Second, decide on your trigger. The most common pattern is "one tree per order," fired from a webhook handler listening for order.created events. Other common triggers are subscription renewals, milestone events, and explicit customer opt-in at checkout. Third, make the request idempotent. Use the order ID or event ID as your idempotency key, so a webhook retry doesn't end up planting two trees for the same order. Fourth, persist the response. The API will return a reference ID and metadata about the planting. Save it on the originating record so you can build an "your impact" page on top of it later. Fifth, handle failures. Wrap the call in a retry-with-backoff pattern, log failures, and decide whether to reverse the impact attribution if the request never succeeds. Most teams have a working flow in production within a day. ## Why Verification Matters More Than Volume One more thing worth saying, because it gets glossed over in most comparisons. The cheapest tree-per-dollar number isn't always the right metric. A tree planted in the wrong species mix, in the wrong soil, without water access or community support, has a high probability of dying within its first two years. From a climate perspective, that's worse than not planting anything, because the marketing claim outlives the tree. GoodAPI partners with Veritree specifically because Veritree's projects are tracked, geolocated, and supported through the critical early years of growth. When you integrate a tree planting API, you're staking your brand on the verification story behind it. Make sure that story holds up. ## Getting Started If you want to integrate tree planting into your app or store, the fastest path is: 1. Read the [developer documentation](https://www.thegoodapi.com/docs/api/) to see how the API is shaped 2. Sign up to get a sandbox key 3. Wire up your trigger event (order, subscription, custom action) 4. Verify in sandbox, then promote to live 5. Optionally, install the [GoodAPI Shopify app](https://apps.shopify.com/tree-planting) so non-technical teammates can configure rules without code Sustainability is moving from a marketing concern to a product concern, and APIs are how product teams ship it. Pick one that respects your time as a developer, and you'll have something working before your next standup. --- # Sustainable Ecommerce in Denmark: 2026 Merchant Guide URL: https://www.thegoodapi.com/blog/sustainable-ecommerce-denmark-2026/ Description: A practical 2026 guide for Danish ecommerce brands: CSRD rules, shopper expectations, and how to launch a verified tree planting program. Published: 2026-04-19 Danish shoppers have spent the last decade quietly raising the bar. They expect recyclable packaging, honest labels, and a climate story that holds up under scrutiny. Danish regulators have raised the bar too, with a sustainability reporting regime that now reaches deep into the supply chain and a landmark plan to plant a billion new trees. If you run a Shopify store or DTC brand selling into Denmark in 2026, sustainability is no longer a marketing flourish. It is part of how you keep customers, satisfy auditors, and stay relevant in a market that treats green credentials as the baseline. This guide pulls together what Danish ecommerce operators actually need to know for 2026: the rules you will be touched by, the consumer sentiment behind them, and a practical way to add verified environmental impact to every order without rebuilding your stack. ## Why Denmark Is a Bellwether for Sustainable Ecommerce Denmark has one of the highest sustainable-product adoption rates in Europe. In a 2022 Simon-Kucher survey, 35% of Danish consumers said environmental sustainability is important in grocery choices, and 37% said they were willing to pay extra for more sustainable options. That number dipped from 42% in 2021 as inflation bit, but the underlying expectation did not disappear. Danish shoppers now treat sustainable defaults as table stakes, not as a premium add-on worth a 20% markup. That shift has a sharper edge for ecommerce brands: Danish consumers are also among the most skeptical in Europe about greenwashing. Simon-Kucher found "many consumers are skeptical about whether companies translate their good intentions of being environmentally sustainable into concrete action." A vague "we care about the planet" banner does not move product in Copenhagen or Aarhus the way it might have in 2019. What moves product is evidence: certifications, traceable supply chains, and specific claims a customer can verify. ### What This Means for Your Store If you sell into the Danish market, your sustainability copy needs to do three things at once. It has to be specific (not "we offset emissions" but "we plant one verified tree per order"). It has to be verifiable (show the species, the location, the partner). And it has to be ongoing, because one-time campaigns read as stunts rather than strategy. ## The Regulatory Backdrop: CSRD in Denmark for 2026 Denmark implemented the EU Corporate Sustainability Reporting Directive into Danish law, with rules coming into force on 1 June 2024. The phased rollout has reached 2026, and this is the year the directive starts touching companies that previously assumed they were too small to worry about it. Here is the short version for ecommerce operators: ### Who Has to Report Directly Large public-interest entities already report. From financial years beginning in 2026, listed small and medium-sized enterprises are required to publish sustainability information, although they have an option to defer reporting until 2028. Private SMEs are not yet mandated under CSRD in Denmark, but that is changing across the EU and the direction of travel is clear. ### Who Feels the Pressure Indirectly This is the part most Shopify merchants miss. Even if your Danish brand is well below the CSRD headcount threshold, your larger retail and wholesale customers are inside its scope. Their auditors will request sustainability data from suppliers in order to populate the value-chain sections of their own reports. If you supply into Danish retailers, hotels, or corporate gifting programs, expect spreadsheets in your inbox asking about carbon, land use, packaging, and "positive impact" initiatives. Brands that cannot answer cleanly are the ones that get dropped when procurement does its annual review. ### What "Positive Impact" Means in CSRD Language CSRD disclosures are not limited to emissions reductions. ESRS E4 covers biodiversity and ecosystems, which is where tree planting, reforestation partnerships, and ocean plastic removal sit. A program that funds verified tree planting per order is genuinely reportable data, provided you can document: - Trees planted per unit of revenue, order, or product - Geolocation and species of planted trees - The verification methodology of the planting partner - Survival monitoring during the first years of growth If your current "sustainability program" is a line item in a sustainability report written by a consultant once a year, 2026 is the year to replace it with something that produces data every month. ## Denmark's Billion-Tree Commitment and What It Signals The Danish government agreed in 2024 to plant roughly one billion new trees over 20 years, converting about 10% of Danish farmland to forest and natural habitats. The 43 billion kroner program (around $6.1 billion) aims to raise Denmark's forest cover from 14.6% to roughly 24%, a 61% increase in forested land. It has been described as the biggest change to the Danish landscape in over a century, and it pairs with a first-of-its-kind tax on livestock methane. Why does this matter for Shopify brands? Because it sets the public expectation that businesses in Denmark are contributing to reforestation, not just reducing harm. A consumer who reads about the national plan in the morning and shops your store in the afternoon will not be impressed by a carbon offset badge from a broker they have never heard of. They will be impressed by a store that plants a tree per order and shows them where. ## Practical Program Design for Danish Ecommerce Brands If you are building or refreshing your sustainability program for 2026, there are a few design principles that separate credible programs from the kind that read as greenwash. ### 1. Tie Impact to a Unit of Purchase "We donate 1% of profits" is useful accounting but a poor story. "One tree planted for every order" or "five meters of ocean-bound plastic removed per item" ties the impact to something your customer did. It also gives you a number to quote in product descriptions, confirmation emails, and social proof. ### 2. Pick a Verified Partner With Global Projects Danish shoppers are aware that tree planting quality varies. Programs that plant and walk away are no better than a marketing expense. Programs that geotag, monitor, and report on survival are different animals. GoodAPI plants with [Veritree](https://www.veritree.com/), a verified reforestation organization that operates planting projects globally. Every tree planted through GoodAPI is tracked, geolocated, and supported through its critical first years of growth. That traceability is what satisfies both Danish customers and Danish procurement audits. ### 3. Integrate the Program Where the Work Happens The single biggest reason ecommerce sustainability programs fail is friction. If the program lives in a manual spreadsheet or a quarterly donation, it gets forgotten the moment you have a busy month. Automate it inside the tool that already knows about your orders. For Shopify merchants, the cleanest path is the [GoodAPI Shopify app](https://apps.shopify.com/tree-planting). Install it, pick whether you want a tree planted per order, per product, or per custom rule, and the planting happens automatically whenever orders come in. Your impact dashboard updates in real time. No new logins for the ops team, no reconciliation work for finance, no separate report at year end. ### 4. Put the Proof on the Product Page Danish consumers respond to evidence. A small widget on the product page that reads "one tree planted when you order this, verified by Veritree" moves conversion more reliably than a site-wide banner. Brands using GoodAPI typically expose the tree count in three places: the product page, the cart, and the order confirmation email. Each surface reinforces the purchase decision at a different moment. ## What Danish Shoppers Actually Want to See Based on the Danish consumer research and what tends to work on Danish merchant stores, these are the specific signals that earn trust in the local market. A named, verified partner rather than a generic "we plant trees" claim. Danish shoppers will Google your partner. Make it easy for that search to return a credible result. A specific number per order. "One tree per order" is better than "thousands of trees planted" because the customer can do the math on their own purchase. Round numbers near one feel honest in a way that million-tree claims often do not. Location specificity. Projects with named regions, whether Madagascar mangroves or East African dryland forests, read as real. Projects described only by tree count with no geography feel like line items on a spreadsheet. Survival tracking. This is the detail that separates serious partners from broker-style offset resellers. Trees planted without monitoring are a statistic. Trees tracked through their establishment years are a carbon and biodiversity outcome. Proof in audit-ready form. If you supply into Danish retail or wholesale, being able to export a CSV of "X trees planted against Y orders in Q1, verified by Z partner" is the difference between keeping a contract and losing it. ## How a Nordics Merchant Typically Rolls This Out A realistic rollout for a Danish Shopify store in 2026 looks like this. Install the GoodAPI app from the Shopify App Store. Pick a per-order planting rule, which keeps the math simple for customer comms. Add a product page badge and a sentence in your email flow. Run the program for a month quietly, so the early data accumulates. Then post your first "here is what we planted this month" update, linking to your impact dashboard. That sequence moves you from "nice values on your About page" to "measurable, reportable, customer-facing program" in about six weeks. For more context, see our [sustainable ecommerce in the Nordics](/blog/sustainable-ecommerce-nordics-guide/) guide, the [verified tree planting company guide](/blog/verified-tree-planting-company-guide/) for partner questions, and [how GoodAPI works](/how-it-works/) for the full product view. ## Getting Started Denmark in 2026 rewards merchants who treat sustainability as operational, not promotional. The regulation pushes you toward specific, documentable programs. The consumer rewards you for showing your work. The national reforestation plan gives you cultural permission to talk about trees without sounding twee. You do not need to rebuild your tech stack to meet the moment. You need a program that runs automatically, uses a verified partner, and produces data you can show to a skeptical shopper or a procurement officer. Install the [GoodAPI Shopify app](https://apps.shopify.com/tree-planting), pick a planting rule, and your next order will fund a verified, tracked tree. That is a defensible sustainability story in 2026, in Denmark, and across the EU markets that are following Denmark's lead. --- # Top Corporate Tree Planting Providers: 2026 Ranking URL: https://www.thegoodapi.com/blog/top-corporate-tree-planting-providers-2026/ Description: A practical, honest ranking of the top corporate tree-planting providers for 2026, comparing verification, pricing, and ecommerce fit. Published: 2026-04-18 Corporate tree planting has grown up. Two years ago, most programs were a badge on a checkout page and a promise that "a tree will be planted." In 2026, buyers and sustainability leads are asking harder questions. Where is the tree? Who planted it? How do we know it is still alive in year three? The result is a real split in the market. The top corporate tree-planting providers now compete on verification, transparency, and developer tooling, not just price per tree. If you are comparing options for your brand, you are not alone. Investment in sustainable forest management and restoration jumped to around $23.5 billion in 2026, and retirements of high-integrity forest carbon credits now command a premium of more than 300% over low-rated peers. That premium reflects a simple truth: CFOs, ESG officers, and regulators have stopped accepting "trust us" as proof of impact. This guide ranks the top corporate tree-planting providers for 2026 based on the criteria that actually matter for ecommerce and B2B brands: verification methodology, unit economics, implementation effort, and reporting transparency. It is an honest list, including where GoodAPI fits and where it does not. ## How We Ranked the Top Corporate Tree-Planting Providers Before the ranking, a quick note on method. We looked at each provider against six factors: 1. **Verification technology.** Does the provider use satellite monitoring, GPS coordinates, drone imagery, IoT sensors, or blockchain ledgers? Or is it self-reported? 2. **Planting partner quality.** Are projects tied to recognized frameworks like Verra, Gold Standard, or Plan Vivo, or to credible NGO partners with multi-year monitoring? 3. **Integration effort.** For an ecommerce team, can you go live in a day, or does it take a dev sprint? 4. **Price per verified tree.** Adjusted for what the buyer actually receives, not just the sticker price. 5. **Reporting and public proof.** Can a merchant show customers real impact data, not a generic counter? 6. **Fit for ecommerce and SMB.** Some of the best-known programs are built for Fortune 500 ESG teams and will not help a $5M Shopify store at all. With those in mind, here is how the top corporate tree-planting providers stack up in 2026. ## 1. GoodAPI GoodAPI is our top pick for ecommerce brands that want verified tree planting without a long procurement cycle. The model is simple: every order on your store funds a tree (or multiple trees, depending on the rule you set), and every tree is planted through Veritree, a verified reforestation organization with global projects. Trees are tracked, geolocated, and supported through their critical first years of growth. That matters because a planted seedling is not the same as a surviving tree. GoodAPI is available as a Shopify app and as a REST API, which makes it one of the only top corporate tree-planting providers that works equally well for a small DTC brand and for a headless or custom stack. Merchants typically go live in under 10 minutes. **Best for:** Shopify and BigCommerce brands that want Veritree-verified planting with minimal setup, and developers who want a clean API to embed planting into custom checkout flows. **Starting from:** around $0.43 per verified tree, with volume tiers for bigger programs. **Install the Shopify app:** [apps.shopify.com/tree-planting](https://apps.shopify.com/tree-planting). ## 2. Veritree Veritree is the infrastructure layer that many other providers rely on, and it also works directly with enterprise brands. The team behind Veritree has verified more than 113 million trees planted worldwide. Their stack combines ground-level monitoring, remote sensing, and a public blockchain ledger, which gives corporate buyers an audit trail that holds up in a sustainability report. The tradeoff is that direct Veritree engagements are typically built for mid-market and enterprise brands. If you are a solo operator or a smaller Shopify store, integrating Veritree through a partner like GoodAPI is usually faster and cheaper than going direct. **Best for:** enterprise brands with internal sustainability and procurement teams. ## 3. EcoMatcher EcoMatcher is a Certified B Corporation focused on transparent, tree-by-tree tracking for corporate programs. Their TreeTracker tool uses satellite mapping to show the exact location of each tree, and in some projects, even the farmer caring for it. The experience is designed around gifting, rewards, and employee engagement, which makes it a fit for HR and marketing teams more than developers. **Best for:** corporate gifting, loyalty rewards, and employee engagement programs that need a visual "your tree" experience. ## 4. Ecologi Ecologi is one of the most recognized consumer-facing climate platforms, funding more than 80 million trees to date and reporting over 3 million tons of avoided or removed CO2. Their subscription model makes it easy for businesses to commit a monthly spend and tie tree counts to employees, customers, or orders. For ecommerce specifically, the integration options are not as tight as a dedicated Shopify-first app, and the unit economics are higher than GoodAPI for comparable outputs. **Best for:** brands that want a strong B2C climate narrative and are comfortable with a broader carbon-and-trees bundle rather than a planting-only program. ## 5. OneSeed OneSeed has a sharp value proposition: verified trees with GPS coordinates, photographic evidence, and species identification at a price point that stays competitive. For Shopify and BigCommerce stores that want a per-order planting mechanic, OneSeed is a reasonable alternative, particularly for brands that prefer a stripped-down setup without loyalty or carbon add-ons. **Best for:** ecommerce brands prioritizing straightforward per-tree verification at a good price. ## 6. 1ClickImpact 1ClickImpact blends regular reforestation with food-tree planting that supports community nutrition and income, with tree planting starting around $0.50 per tree. Location tracking and proof-of-planting are included. For brands that want their sustainability story to include a social-impact angle, 1ClickImpact is worth a look. **Best for:** mission-driven brands that want reforestation paired with community outcomes. ## 7. Land Life Land Life is a serious reforestation operator based in Amsterdam, with more than 130 projects and around 10 million trees planted. Their focus is on high-integrity carbon credits, CSR programs, and biodiversity baselining, which makes them a strong fit for companies issuing public sustainability reports under CSRD or similar frameworks. It is not a plug-and-play ecommerce tool. Expect a sales process and a contract. **Best for:** large corporates with CSRD or SEC climate disclosure obligations and dedicated sustainability staff. ## Verification Is the Real Differentiator in 2026 Across every one of these top corporate tree-planting providers, the same story keeps coming up. Buyers are done with generic "trees planted" counters. They want verification. Per recent market data, roughly 41% of buyers now use digital monitoring and verification systems to validate forest carbon and reforestation claims, and high-rated credits trade at a 3x premium to lower-rated peers. If your program cannot show GPS coordinates, survival rates, or third-party audits, it is increasingly hard to defend to a board or an enterprise customer. That is why GoodAPI's partnership with Veritree matters. You are not buying a marketing story. You are buying into a verification stack that is already trusted by some of the most demanding buyers in the market. ## Which Provider Is Right for Your Business? Here is the shortest honest answer we can give: If you run a Shopify or BigCommerce store and want to start planting verified trees per order this week, start with [GoodAPI](https://apps.shopify.com/tree-planting). You will be live in minutes, you will get Veritree-verified planting, and you can turn it off or scale it up whenever you want. If you are an enterprise with a sustainability team and a procurement process, talk to Veritree or Land Life directly. They are built for the reporting burden you carry. If your program is about employee engagement or gifting rather than revenue-linked planting, EcoMatcher is usually the fastest path. If your brand lives on a sustainability subscription story, Ecologi is a natural fit. Most brands, though, are ecommerce brands looking to add a credible environmental story without hiring an ESG consultant. For them, the top corporate tree-planting providers list effectively narrows to two or three, and the practical winner is whichever one lets you ship today. ## Start Planting This Week You do not need a 6-month sustainability roadmap to make a real difference. You need a verified partner, a simple rule, and a way to prove it to your customers. GoodAPI gives you all three on day one. See how fast it is to get a tree planted for every order you receive. [Install the GoodAPI app on Shopify](https://apps.shopify.com/tree-planting) and join the merchants already turning everyday sales into real, tracked, verified forest restoration. --- # Brazil Mangroves: How Your Sales Restore a Coast URL: https://www.thegoodapi.com/blog/brazil-mangroves-shopify-impact/ Description: Brazil holds nearly 7% of the world's mangroves, yet nearly half are gone. Learn how Shopify merchants help restore them with every order. Published: 2026-04-17 On the northeast coast of Brazil, in the state of Maranhão, a small town called Primeira Cruz sits where freshwater streams meet the Atlantic. Around it, dense mangrove forests once stretched for miles. Today, most of what remains are fragmented patches, isolated stands of trees holding out against decades of pressure from firewood cutting, charcoal production, and the quiet creep of salt flats carved out for industry. This is one of the places Shopify merchants are now helping to restore through GoodAPI. Brazil mangroves rarely get the attention they deserve. Most conversations about Brazilian forests gravitate toward the Amazon, which is understandable given its scale. But the country's coastline tells a different story. Brazil holds one of the largest mangrove systems on Earth, a coastal forest network that stores more carbon per hectare than almost any other ecosystem on the planet, and it is disappearing quietly while attention sits inland. ## Why Brazil Mangroves Matter Brazil has roughly 7 to 9% of the world's mangrove coverage, second only to Indonesia. The country's northern coast contains the largest continuous mangrove formation anywhere, stretching from the mouth of the Amazon down through Pará and Maranhão. According to research published in Frontiers in Forests and Global Change, Brazilian mangroves are a "blue carbon hotspot of national and global relevance," with sequestration potential that punches far above their footprint. Mangroves, despite occupying just 0.36% of the world's forest area, sequester carbon at a rate nearly four times higher per hectare than terrestrial forests. Some studies put their storage capacity at up to 40 times that of a typical inland forest when you account for the carbon locked in soils below the waterline. One mongabay.com analysis described Brazil's mangroves as "a more potent CO2 sink than the Amazon," because so much of what they store stays locked in anaerobic, tide-washed soil for centuries. Beyond carbon, mangroves are the backbone of Brazil's small-scale coastal economy. They function as nurseries for fish, shellfish, and crustaceans, including species that end up on plates in São Paulo, Rio de Janeiro, and export markets around the world. Research from SciELO Brasil estimates that mangrove ecosystems directly or indirectly support more than one million people across the country, many of them low-income fisher families who depend on daily catches to feed their households. ## How Much Has Been Lost The damage is significant and it is ongoing. Approximately 40% of the historically continuous mangrove cover in Brazil's southeast has already been destroyed. The causes are familiar: urban expansion along the coast, shrimp farming, illegal logging for charcoal and construction, pollution from industrial runoff, and the pressure of tourism development in regions like Bahia and Rio de Janeiro. In Maranhão specifically, the Primeira Cruz Mangrove Site has seen most of its original forest reduced to scattered patches. The region has the lowest human development index in Brazil, which means families there often face impossible choices: protect the mangroves or burn them for fuel this winter. Without intervention, the pressure only grows. What makes the losses harder to recover from is the nature of the ecosystem itself. Mangrove restoration is not the same as planting a tree in a field. Seedlings need the right tidal conditions, the right salinity, the right species match, and years of protection against drought stress and grazing before they become self-sustaining. A poorly designed restoration project can look successful on day one and be gone a year later. ## The Project Your Store Can Fund GoodAPI's reforestation partner, Veritree, runs a verified mangrove restoration site at Primeira Cruz in partnership with local planting organizations and community members. As of recent reporting, the project has planted more than 1.65 million trees across 165 hectares, with over 4,900 work hours contributed by local crews. The approach is deliberately community-led. The families who have historically depended on mangroves for fishing income are the same families now hired to run nurseries, plant seedlings, and monitor survival rates. That matters for two reasons. First, it creates steady paid work in a region where economic opportunity is scarce. Second, it builds long-term incentive to protect the forest. When the people living around a restoration site benefit directly from its existence, illegal cutting drops. Every tree planted through GoodAPI is geolocated, tracked, and supported through its critical first years of growth. Merchants and their customers can see the actual coordinates of where their impact is happening, not just a certificate with a logo on it. Each mangrove tree sequesters roughly 0.31 tonnes of CO2 over its lifetime, and the Primeira Cruz site is contributing to Sustainable Development Goals spanning poverty reduction, gender equality, climate action, and life on land. ## Why Verified Matters in Brazil Brazil has had a complicated relationship with environmental verification. Carbon markets have been active in the country for years, but not all projects deliver what they promise. A 2026 study covered by Mongabay pointed out that a surge in carbon-credit-driven planting has created mixed results, with some projects prioritizing monoculture species over native restoration. The difference between a legitimate mangrove restoration effort and a PR exercise is usually whether anyone is actually counting trees a year later. Veritree's model is built around third-party verification, satellite-backed monitoring, and direct community accountability. That matters because the mangrove species being planted (Rhizophora, Avicennia, Laguncularia) require specific hydrological conditions to survive, and survival rates below 50% are common when projects cut corners. Verified restoration sites track survival honestly and replant when necessary. That is the standard merchants should expect when their brand is associated with reforestation. If you are evaluating sustainability partners, this is the kind of due diligence worth doing. Ask where the trees go. Ask who plants them. Ask what happens in year three, year five, and year ten. Any partner who cannot answer those questions clearly is not running a verified project. ## What This Means for Your Brand Sustainability messaging has shifted over the past three years. Customers have become much more skeptical of vague environmental claims, and regulators in the EU, UK, and increasingly Brazil are cracking down on unsubstantiated marketing language. The CSRD in Europe and similar frameworks being developed in Brazil and North America are pushing merchants toward specific, measurable, third-party-verified claims. A store that can say "we fund verified mangrove restoration in Maranhão with every order, and here is the coordinate data and the species planted" has a materially different conversation with customers than a store that says "we care about sustainability." The first is auditable. The second is noise. Research from NielsenIQ and similar studies consistently shows that shoppers, particularly in the 25 to 45 age bracket, are willing to pay a premium for products from brands that back up their environmental claims with evidence. Repeat purchase rates tend to improve as well. Sustainability has moved from a marketing layer to a product feature, and verified impact is the only version of it that holds up to scrutiny. ## Integrating a Brazil Mangroves Project Into Your Store If you want to route part of your store's impact toward Brazil mangrove restoration, the setup through GoodAPI is straightforward: ### 1. Install the GoodAPI app Head to the Shopify App Store and install GoodAPI. Setup takes about two minutes, and the app connects directly to your store's order events. ### 2. Choose your impact rules You can plant one tree per order, one tree per item, or configure a custom rule based on order value, product collection, or customer tag. Each rule is flexible enough to match your margin reality. ### 3. Select Brazil mangroves as a destination project GoodAPI's project network includes verified reforestation sites in Brazil, Kenya, Madagascar, and other regions, plus ocean-bound plastic removal programs. You can route impact to Brazil mangroves specifically, diversify across regions, or switch destinations seasonally to match campaign themes. ### 4. Display your impact The GoodAPI impact widget shows customers what their purchases are contributing to in real time. The data is live, the coordinates are real, and the reporting updates as restoration crews submit field data. ## Storytelling the Coast If your brand sells products in Brazil or markets to Brazilian customers, a mangrove restoration project is a particularly strong story. It is geographically relevant, it supports communities that many customers will recognize, and it addresses a national ecological priority rather than an abstract global one. For merchants selling into Brazilian markets, mentioning the project on product pages, in email campaigns, and in post-purchase thank-you flows tends to perform well. The specificity of "we plant mangroves on the coast of Maranhão" carries more weight than "we plant trees," and the local angle creates a stronger identity signal for a brand trying to stand out. Internal resources you might pair this with include [GoodAPI's project pages](/our-projects/), the [Veritree verification guide](/blog/goodapi-veritree-tree-planting-verification/), and our broader [reforestation for businesses guide](/blog/reforestation-for-businesses-guide/) if you are still evaluating whether to run an impact program at all. ## The Bigger Picture Brazil has committed to restoring 12 million hectares of forest by 2030 as part of its NDCs under the Paris Agreement. A meaningful share of that target depends on coastal restoration, because mangroves deliver disproportionate climate value per hectare and can be restored within a human timescale. But the restoration economy only works if buyers exist on the other end, companies and individuals who are willing to fund verified projects at a price that makes the work viable. Shopify merchants represent a growing share of that demand. Every store running a verified tree-planting program is contributing to a funding pipeline that pays for community-led, science-backed restoration work. It is not a complete solution, but it is a real one, and it scales with ecommerce itself. ## Start Planting in Brazil If your store is ready to contribute to Brazil mangrove restoration, the install takes about two minutes. [Install GoodAPI on Shopify](https://apps.shopify.com/tree-planting) and choose the Brazil mangroves project as your destination. Every order you ship becomes a mangrove seedling on a Maranhão shoreline. The coast gets denser. The fisher families get steady work. The carbon stays where it belongs. And your customers see exactly what their purchase did. That is worth a couple of minutes. --- *GoodAPI connects Shopify merchants with verified reforestation and plastic removal projects worldwide. All planting is tracked, geolocated, and verified through Veritree. Learn more at [thegoodapi.com/how-it-works](/how-it-works/).* --- # Plant a Tree for Businesses: 2026 Guide URL: https://www.thegoodapi.com/blog/plant-a-tree-for-businesses-guide/ Description: Learn how to launch a verified tree planting program for your business. Costs, platforms, setup steps, and what customers actually expect in 2026. Published: 2026-04-16 # How to Plant a Tree for Every Sale: A Business Owner's Complete Guide Your customers care about the environment. That is not a guess or a marketing platitude. According to a 2026 report from the Arbor Day Foundation, 85% of people say companies should actively support tree planting or reforestation. More than two-thirds are more likely to buy from a business working to reduce its environmental footprint. The question is no longer whether your business should plant trees. It is how to do it in a way that is verified, affordable, and actually meaningful. This guide walks you through everything: why tree planting programs work for businesses, what verified reforestation looks like, how much it costs, and how to get started today. ## Why Businesses Are Launching Tree Planting Programs The short answer: because it works. Companies that tie environmental action to their products see measurable results in customer loyalty, conversion rates, and brand differentiation. But there is more to it than marketing. Regulations are tightening globally. The EU's Empowering Consumers for the Green Transition Directive takes effect in September 2026, banning vague sustainability claims like "eco-friendly" or "climate neutral" without scientific evidence. Penalties can reach up to 4% of annual turnover. Canada's Bill C-59 already restricts unsubstantiated environmental claims. The direction is clear: if you are going to talk about sustainability, you need receipts. Tree planting programs give you those receipts. When every tree is tracked, geolocated, and verified by a third party, your environmental claims are backed by real data, not just good intentions. ## What "Verified" Tree Planting Actually Means Not all tree planting programs are created equal. Some businesses plant trees through opaque programs where the only proof is a certificate and a thank-you email. That is not verification. A verified tree planting program means every tree your business funds is: **Tracked from planting to maturity.** Each tree gets a geolocation stamp when it goes into the ground. You can see where it was planted, what species it is, and which project it belongs to. **Monitored through its critical growth years.** A seedling is not a tree. Verified programs support trees through their first years of growth, when mortality rates are highest. Regular monitoring ensures the trees you funded are actually growing. **Reported by an independent organization.** The planting is not self-reported by the company selling you the service. Organizations like [Veritree](https://www.veritree.com/) use real-time data collection and third-party verification to ensure transparency. Veritree's technology has been behind over 113 million verified tree plantings worldwide. This matters more than ever. Consumer skepticism about tree planting claims has grown significantly, and for good reason. Some brands have made misleading claims about their programs' impact. Verified planting with transparent data is how you build trust instead of eroding it. ## How Much Does It Cost to Plant a Tree for Every Sale? This is usually the first question business owners ask, and the answer is surprisingly affordable. Across the major platforms, costs range from about $0.43 to $3.49 per tree. That range depends on the reforestation project, the species planted, the level of verification, and the platform you choose. For most ecommerce businesses, the cost per order works out to less than the price of a shipping label. If you sell a $50 product and plant one tree per order at $0.43, that is less than 1% of revenue going toward verified environmental impact. Here is a rough breakdown of what the market looks like in 2026: GoodAPI starts at $0.43 per tree through verified Veritree projects. 1ClickImpact charges $0.50 per tree with location tracking. Ecologi's pricing varies by plan but starts higher, around $0.80 per tree. One Tree Planted operates on a $1-per-tree model focused on corporate donations. OneSeed charges $0.65 per tree with GPS coordinates and photo evidence. The cost difference between platforms might seem small on a per-tree basis, but it compounds. A store processing 1,000 orders per month would spend $430 with GoodAPI versus $800 with Ecologi. Over a year, that is $4,440 in savings, or roughly 4,400 additional trees you could have planted with the same budget. ## What Customers Actually Expect in 2026 Consumer expectations around sustainability have shifted dramatically. It is no longer enough to say "we care about the planet" on your About page. Research from 2026 shows that 94% of consumers are more likely to be loyal to a brand that offers complete transparency about its environmental impact. Consumers are willing to pay an average of 9.7% more for sustainably produced goods, even with ongoing cost-of-living concerns. But here is what really matters: customers can spot greenwashing. They have seen too many brands slap a green leaf on their packaging without changing anything meaningful. What they respond to is specificity. "We planted 12,847 verified trees in Kenya and Madagascar last quarter" hits differently than "we're committed to a greener future." A plant a tree for businesses program gives you that specificity. Every order generates a real, trackable data point. You can share exact numbers on your website, in your email receipts, and across social media. That transparency is what converts skeptical shoppers into loyal customers. ## How to Start a Tree Planting Program for Your Business Getting started is simpler than most business owners expect. Here is the process, step by step. ### Step 1: Choose Your Trigger Decide what action triggers a tree planting. The most common options are planting one tree per order, planting one tree per product sold, planting based on order value (for example, one tree per $25 spent), or planting when a customer takes a specific action like signing up or leaving a review. For most ecommerce businesses, one tree per order is the simplest starting point. It is easy to communicate to customers and straightforward to implement. ### Step 2: Pick a Verified Platform Choose a platform that offers third-party verification, transparent reporting, and an integration method that works with your store. If you run a Shopify store, [GoodAPI](https://apps.shopify.com/tree-planting) installs in under two minutes and automatically plants a tree for every order. No code required. If you are building a custom integration or run a non-Shopify store, GoodAPI also offers a [REST API](https://www.thegoodapi.com/docs/api/) that lets developers plant trees with a single API call. The API returns verification data for every tree, including species, geolocation, and project details. ### Step 3: Set Up Your Reporting Transparency is not optional. Set up a page on your website that shows your total trees planted, which projects you support, and ideally a live counter that updates with each order. GoodAPI provides a dashboard that tracks your total impact in real time. Many merchants embed their tree count directly on their homepage or checkout page, which serves double duty as both a trust signal and a conversion booster. ### Step 4: Tell Your Customers A tree planting program only works if customers know about it. Add it to your checkout flow, your order confirmation emails, your product pages, and your social media. Be specific: "Every order plants a verified tree through Veritree's reforestation projects" is far more compelling than "we plant trees." Some merchants include a small badge or banner on their product pages. Others add a line to their checkout page. The key is making it visible without being obnoxious about it. ### Step 5: Measure and Iterate Track how your tree planting program affects key business metrics. Look at conversion rate changes, customer lifetime value, repeat purchase rate, and social media engagement. Most merchants who launch a verified tree planting program see measurable improvements within the first 90 days. ## Beyond Tree Planting: Plastic Removal and Combined Impact Tree planting is the most popular environmental action for businesses, but it is not the only one. Some platforms now offer combined impact programs that include ocean-bound plastic removal alongside reforestation. GoodAPI offers both tree planting and [plastic removal](https://www.thegoodapi.com/blog/ocean-plastic-removal-for-businesses/) through verified partners. This lets merchants offer a more comprehensive sustainability story: "Every order plants a tree and removes plastic from the ocean." For brands targeting environmentally conscious consumers, this combination can be a powerful differentiator. ## The Regulatory Landscape Is Changing If you are still on the fence about starting a tree planting program, consider this: regulations around environmental claims are tightening fast. The EU's Empowering Consumers for the Green Transition Directive, taking effect September 2026, will require any business making sustainability claims to EU customers to back those claims with verified evidence. Self-created certification schemes and unverifiable labels will be prohibited. Companies that cannot substantiate their environmental claims face fines of up to 4% of annual turnover. In practice, this means businesses that already have verified tree planting data will be ahead of the curve. If your trees are tracked, geolocated, and verified by an independent organization like Veritree, you have the documentation regulators will demand. Businesses relying on vague "we offset our carbon" messaging will need to either get specific or stop making claims entirely. ## Getting Started Today Launching a plant a tree for businesses program does not require a massive budget, a sustainability team, or months of planning. For Shopify merchants, the setup takes less than two minutes. For developers building custom integrations, a single API call plants a verified tree. The economics work at any scale. Whether you process 10 orders a month or 10,000, every tree is verified, tracked, and supported through its critical growth years. Your customers get transparency. Your brand gets differentiation. And the planet gets more trees. [Install GoodAPI on Shopify](https://apps.shopify.com/tree-planting) to start planting verified trees with every sale, or explore the [GoodAPI developer docs](https://www.thegoodapi.com/docs/api/) to build a custom integration. --- # 7 Best Greenspark Alternatives for Ecommerce (2026) URL: https://www.thegoodapi.com/blog/greenspark-alternatives-ecommerce-tree-planting/ Description: Comparing the best Greenspark alternatives for ecommerce tree planting in 2026. See pricing, features, and verification details for 7 top options. Published: 2026-04-15 If you are shopping around for Greenspark, you are probably trying to figure out whether it is the right fit for your store, or whether something simpler, cheaper, or more tightly integrated with Shopify would do the job better. Greenspark is a well-known climate app with a solid review score and a broad feature set, but it is not the only way to plant trees, remove plastic, or offset carbon from your ecommerce checkout. This guide walks through the best Greenspark alternatives for ecommerce tree planting in 2026, with honest notes on pricing, Shopify compatibility, and how impact is verified. We built GoodAPI after installing and testing most of these apps ourselves, so this list reflects what actually matters when you are live on Shopify: how fast you can turn it on, whether the reporting holds up to customer questions, and what your per-order cost looks like when sales scale. ## What to Look for in a Greenspark Alternative A few things separate a useful sustainability app from a gimmicky one. **Verified impact.** A tree planted should actually be a tree planted. The best apps work with third-party verifiers like Veritree who track each planting by GPS, monitor survival through the critical first years, and publish receipts you can show customers. **Native Shopify integration.** Look for apps that live inside the Shopify admin and play nicely with Shopify Flow, not ones that push you into a separate dashboard every time you want to change a trigger. **Transparent per-impact pricing.** Per-tree or per-kilogram pricing scales naturally with your sales. Flat monthly fees tend to feel wasteful for small stores and expensive for large ones. **Flexible triggers.** Plant a tree per order, per product, per dollar spent, or only for specific collections. More trigger options means easier alignment with your margin. ## 1. GoodAPI: The Simple, Verified Tree Planting App **Rating:** 4.9/5 (200+ reviews on the Shopify App Store) **Pricing:** $0.43 per tree, $0.05 per plastic bottle removed, first 50 trees and 100 bottles free **Impact types:** Tree planting, ocean-bound plastic removal **Verification partner:** Veritree **Best for:** Shopify merchants who want verified impact, fast setup, and simple pricing GoodAPI is the sustainability app we build, and it is the option we recommend first if you are evaluating Greenspark for a Shopify store. The idea is straightforward. You pick a trigger, for example one tree per order or one tree per product sold, and GoodAPI plants a verified tree through Veritree for every matching event on your store. Trees are tracked, geolocated, and supported through their critical first years of growth, with projects running in Kenya, Madagascar, Brazil, and several other biomes. Setup takes about two minutes. You install from the [Shopify App Store](https://apps.shopify.com/tree-planting), choose your impact triggers, and point GoodAPI at the product pages and checkout you want to show customer-facing badges on. The impact counter, reporting dashboard, and badges all live inside the Shopify admin, so you are not juggling logins. Merchants tell us the things they like are no mandatory monthly fee, a free quota that covers testing, and verification that holds up to customer questions. If you need dozens of impact categories beyond trees and ocean plastic, a broader platform like Greenspark may fit better. ## 2. Ecologi **Rating:** 4.7/5 **Pricing:** $0.80 per tree, $0.28 per kilogram of carbon removal **Impact types:** Tree planting, carbon removal, climate project portfolios **Best for:** Brands that want a recognisable consumer-facing climate story Ecologi is one of the most established names in ecommerce sustainability and has strong brand recognition with end customers. The Shopify app plants a tree per sale and can also fund a portfolio of carbon projects, which is useful if you want a broader climate statement beyond trees. The tradeoff is cost. At $0.80 per tree, Ecologi is nearly double the per-tree cost of GoodAPI, which adds up fast if you are planting per order. Ecologi's strength is branding: if you already know your customers respond to the Ecologi logo, the premium may be worth it. ## 3. 1ClickImpact **Rating:** 4.8/5 **Pricing:** $0.50 per tree, $0.50 per pound of carbon, $0.70 per pound of ocean plastic **Impact types:** Trees, carbon, ocean cleanup **Best for:** Stores that want three impact types in one dashboard 1ClickImpact is a solid all-in-one with similar trigger flexibility to Greenspark. The per-tree price is competitive and the ocean plastic pricing is reasonable. If your brand is split between trees and ocean plastic and you want a single vendor, 1ClickImpact is worth a trial. In practice, some merchants report that the UI feels less polished than the top apps, and that reporting takes a few extra clicks. None of that is a dealbreaker, but it is why we list it third. ## 4. Ecodrive **Rating:** 4.8/5 **Pricing:** Subscription tiers starting around $19/month plus per-impact costs **Impact types:** Trees, ocean plastic (via 4ocean partnership) **Best for:** Brands that specifically want the 4ocean partnership badge Ecodrive has built a strong ocean plastic story through its partnership with 4ocean, and the tree planting side is competent. The subscription model means small stores pay a baseline even before any impact is triggered, so it fits better for mid-volume stores. If your sustainability angle is ocean-first and you want the 4ocean association on your PDPs, Ecodrive earns its spot here. For tree-only programs, it is rarely the cheapest option. ## 5. OneSeed **Rating:** 4.8/5 **Pricing:** Approximately $0.65 per tree, subscription tiers available **Impact types:** Tree planting with GPS verification **Best for:** Merchants who want tree-by-tree GPS data as a marketing asset OneSeed's differentiator is that it publishes GPS coordinates for every tree planted. If your brand leans into transparency as a marketing story, being able to show customers a literal map pin for their tree is a strong proof point. The cost sits between GoodAPI and Ecologi, which is fair given the extra verification layer. OneSeed is a credible pick for sustainability-first brands that want maximum receipts. ## 6. EcoMatcher **Rating:** 4.6/5 **Pricing:** Higher per-tree cost in exchange for individual tree tracking **Impact types:** Tree planting with tree-by-tree adoption **Best for:** Premium brands that gift individual trees to customers EcoMatcher leans harder into individualization than any app on this list. Each customer can be matched with a specific tree, complete with photos and farmer profile. For gifting, luxury brands, or corporate gifting programs, this experience is hard to beat. For high-volume ecommerce where you are planting thousands of trees per month, the cost per tree and the admin overhead of individual adoption make it a less practical fit. ## 7. One Tree Planted **Rating:** Not a dedicated Shopify app; integrations via opt-in donations or third-party plugins **Pricing:** $1 per tree (donation-based) **Impact types:** Tree planting across global reforestation projects **Best for:** Brands that want to run customer-facing donation campaigns One Tree Planted is a nonprofit rather than a SaaS app, and it is often integrated via checkout-donation widgets rather than an automatic per-order plant. It is the recognizable logo approach: customers opt in to plant a tree for a dollar at checkout, and your store passes the donation through. It is not really a Greenspark replacement, because you are not automating impact per order. But if you want a donation-driven model instead of built-in impact, it is the most trusted brand to partner with. ## Quick Comparison Table | App | Rating | Price per tree | Shopify-native | Verified partner | Impact types | |-----|--------|----------------|----------------|------------------|--------------| | GoodAPI | 4.9 | $0.43 | Yes | Veritree | Trees, plastic | | Ecologi | 4.7 | $0.80 | Yes | Eden/various | Trees, carbon | | 1ClickImpact | 4.8 | $0.50 | Yes | Multiple | Trees, carbon, plastic | | Ecodrive | 4.8 | Varies | Yes | 4ocean | Trees, plastic | | OneSeed | 4.8 | ~$0.65 | Yes | OneSeed network | Trees (GPS) | | EcoMatcher | 4.6 | Higher | Yes | Farmer network | Trees (adoption) | | One Tree Planted | n/a | $1.00 | Via donation widgets | OTP network | Trees | ## When to Choose Greenspark Instead To be fair, Greenspark is not always the wrong choice. If you need a broad toolkit that handles trees, plastic, carbon, biodiversity credits, and a customer-facing impact hub inside a single app, and you are fine with some configuration happening outside Shopify, Greenspark can be a reasonable fit. For most Shopify merchants, though, a simpler tool with verified trees and transparent per-impact pricing covers the 80% case. If you want a direct head-to-head, we wrote a [Greenspark vs GoodAPI comparison](https://www.thegoodapi.com/blog/greenspark-vs-goodapi-shopify-comparison/), and our take on [whether Greenspark is the best Shopify tree planting app](https://www.thegoodapi.com/blog/is-greenspark-best-shopify-tree-planting-app/) goes deeper on the tradeoffs. ## How to Choose Between These Greenspark Alternatives A quick decision rubric: - If you want the simplest verified tree planting at the lowest per-tree cost, install GoodAPI. - If your customers respond to the Ecologi logo specifically, pay the premium for Ecologi. - If you care about ocean plastic as much as trees and want everything in one dashboard, try 1ClickImpact or Ecodrive. - If your brand story is transparency and individual tree data, OneSeed or EcoMatcher is worth the extra cost. - If you want a donation-based story rather than automatic per-order impact, partner with One Tree Planted. Whatever you pick, the important thing is that the impact is real. Ask any vendor where the trees are going, who is monitoring them, and how long they track each tree. A good answer involves specific partners like Veritree, specific project locations, and specific survival data. If you get vague marketing copy instead, keep shopping. ## Ready to Try the Greenspark Alternative Most Shopify Stores Pick? If you are looking for the simplest way to start planting verified trees per order on Shopify, GoodAPI is built exactly for that. Setup is two minutes, pricing is $0.43 per tree with your first 50 trees free, and every tree is tracked and supported by Veritree. You can [install GoodAPI from the Shopify App Store](https://apps.shopify.com/tree-planting) or read more about [how GoodAPI works](https://www.thegoodapi.com/how-it-works/) before committing. For brands that want to make sure their program holds up to scrutiny, our guide to [verified tree planting](https://www.thegoodapi.com/blog/verified-tree-planting-company-guide/) is a useful starting point. Greenspark is a perfectly good app. It is just not the only one, and for most Shopify stores, it is not the best fit. The seven alternatives above cover the range from budget-friendly to premium, and at least one of them will match what you are actually trying to build. --- # Advanced Shopify Flow Sustainability Workflows URL: https://www.thegoodapi.com/blog/advanced-shopify-flow-sustainability-workflows/ Description: Go beyond per-order tree planting. Build advanced Shopify Flow workflows for subscriptions, reviews, loyalty milestones, and VIP segments with GoodAPI. Published: 2026-04-14 Most Shopify merchants running a tree planting program stop at the basics: one order equals one tree. It works, it's visible at checkout, and it gives customers a reason to care. But if you have already been publishing that story for a year or two, you have probably noticed the impact plateaus. Every new customer plants one tree and that is it. There is no deeper loop, no narrative arc, no reason to keep coming back. Shopify Flow changes that. With the right triggers and conditions, your sustainability program becomes a living system that responds to every meaningful moment in a customer's journey. A subscription renewal, a five-star review, a referral, a VIP upgrade, a replenishment reorder: each of these can plant a tree, remove plastic from the ocean, or unlock some other impact moment. This guide covers the advanced Shopify Flow patterns that separate a basic "plant a tree per order" setup from a sustainability automation engine that compounds customer loyalty over time. ## Why Go Beyond the Default "One Tree Per Order" Workflow There is nothing wrong with the default workflow. It is simple, it converts, and it communicates clearly at checkout. The issue is that it treats every customer identically. A first-time buyer who will never return gets the same impact treatment as a subscriber in year three who has sent you eight referrals. That flat treatment leaves real engagement on the table. Advanced Shopify Flow workflows let you reward deeper behaviors. The customer who upgrades to a VIP tier, the subscriber who sticks with you through a full year, the reviewer who uploads a photo, the referrer who brings in new revenue: these customers are telling you they are invested. Matching their investment with an extra tree or an extra batch of plastic removed creates a feedback loop. The customer feels seen, the impact story gets richer, and the sustainability program grows in lockstep with your best customers instead of scaling uniformly across every transaction. Shopify Flow handles over one billion automated decisions every month, and the platform added AI-assisted setup through Sidekick in the Winter 2026 edition. That means building these advanced workflows is faster than it used to be. You describe what you want in plain English, preview the workflow with sample data, and push it live once it works. ## The Five Advanced Trigger Patterns Every Sustainability Team Should Know Once you get past order-created, the interesting territory opens up. Here are the five trigger patterns that matter most for a sustainability program. ### 1. Subscription Milestones If you run a subscription business, Flow can fire on subscription contract creation, renewal, and cancellation events (through the Shopify Subscription APIs or a compatible subscription app). The high-leverage move is to tie tree planting to subscription longevity, not subscription signup. A tree at month six, three trees at the one-year mark, and an ocean plastic cleanup at eighteen months turns your subscription into a visible impact journey. This matters for retention. Subscription churn is usually heaviest in months two and three, and again around the one-year auto-renewal. An impact milestone that arrives right before each of those churn windows gives subscribers a reason to stay. You are not just charging them again, you are showing them the cumulative environmental proof of their loyalty. ### 2. Review Submissions Reviews drive conversion for every future shopper, and soliciting them consistently is one of the highest-ROI things an e-commerce team can do. Flow integrates with most review platforms (Judge.me, Loox, Yotpo, Okendo, Reviews.io) via their native Flow triggers. When a review clears moderation, Flow fires. Add a condition on the review's star rating and photo presence. A five-star review with a photo plants an extra tree. A standard written review plants half a tree's worth (you can batch this by plating on every second review if partial trees don't suit your messaging). The point is that the impact scales with review quality, and your request emails can promise that specifically: leave a review with a photo, plant a tree. ### 3. Loyalty Tier and Points Thresholds If you run a loyalty program through LoyaltyLion, Smile.io, Yotpo Loyalty, or Rivo, Flow can fire when a customer earns points or moves between tiers. The advanced pattern here is impact-linked tiers. A customer who hits your Silver tier plants a tree in their name. Gold tier customers plant three trees and remove ten plastic bottles. Platinum tier customers trigger a full impact package. The tier moment is important because it is one of the few times customers pay attention to an automated email. Pair the tier promotion with a branded impact certificate and you get a shareable moment that doubles as organic marketing. ### 4. Referral and Shareable Moments When a referral converts (through an app like ReferralCandy, Friendbuy, or a native Shopify referral workflow), Flow can plant a tree on behalf of both the referrer and the new customer. This is a natural fit because referrals already carry a gift-giving logic. You are extending that logic into the real world. Pair the planted-tree referral with a short post-purchase email to the new customer explaining that their friend's referral planted a verified tree through Veritree. It reframes the whole acquisition moment from "your friend got a discount" into "your friend and you just grew a forest together." ### 5. Reorder and Win-Back Triggers Flow can fire on customer re-engagement, returning customer detection, and win-back campaigns. A customer who comes back after 90 days of silence is worth celebrating. A tree planted specifically for their return, with a note in the welcome-back email, often outperforms a straight discount code. It frames re-engagement as mutual investment rather than transactional recovery. ## Building a Multi-Step Workflow: A Worked Example Here is how you might combine conditions and the GoodAPI "Plant Tree" action into a single advanced workflow. The scenario: plant a tree when a subscriber completes their sixth billing cycle, but only if they are tagged as a marketing opt-in, and send a congratulatory email at the same time. 1. Trigger: "Subscription contract billing attempt succeeded" (from Shopify's subscription APIs or your subscription app). 2. Condition: Billing attempt count equals 6. 3. Condition: Customer has tag "marketing_optin". 4. Action: GoodAPI "Plant Tree" (quantity 3, tagged as "subscription_milestone_6m" for reporting). 5. Action: Add customer tag "planted_6m_milestone" to prevent double-firing. 6. Action: Send transactional email via Klaviyo, Omnisend, or Shopify Email with a subscription-milestone template. This entire workflow runs in under a second, leaves a clean audit trail on the customer record, and feeds into the GoodAPI dashboard so your sustainability reporting captures it automatically. The GoodAPI app logs every tree planted back to the exact order, subscription, or event that triggered it, so reconciling impact numbers against revenue is straightforward. ## Conditional Logic Patterns That Pay Off Advanced Flow workflows live or die on their conditions. Three patterns consistently deliver more impact per dollar spent. First, gate high-cost impact actions behind high-value customer signals. Do not plant a tree for a five-cent digital sticker purchase. Plant two trees for any order over your average order value, or any customer whose lifetime value has crossed a threshold. Second, deduplicate aggressively with customer tags. Every time a workflow fires, add a tag that prevents it from firing again in the same context. Without this, a well-meaning review trigger can plant twenty trees for one hyperactive customer in a week. Third, use segment conditions for geographic or channel-specific impact. If a particular project in Kenya or Madagascar matches your brand's regional story, you can route trees from customers in specific markets to that project by passing a project ID in the GoodAPI action. This lets you tell a more precise story in post-purchase emails ("Your order planted a mangrove in Kenya") without changing your core setup. ## How GoodAPI Fits Into Advanced Flow GoodAPI installs a native "Plant Tree" action into Shopify Flow, meaning you do not need to call an external API, manage webhooks, or write any code. The action accepts a quantity, an optional project ID, an optional customer reference, and an optional custom tag for reporting. Every tree planted runs through Veritree, GoodAPI's verified reforestation partner, where trees are geolocated, tracked, and supported through their critical first years of growth. Pricing is flat at $0.43 per tree and $0.05 per ocean-bound plastic bottle removed, with no monthly platform fee and 50 free trees plus 100 free plastic bottles to start. That usage-based model matters for advanced Flow setups: you can add triggers for reviews, subscriptions, and loyalty milestones without worrying about tier-based surcharges. Impact scales linearly with engagement. If you are still on the default one-tree-per-order setup and want to move into advanced territory, the sequence is straightforward. Install the [GoodAPI app from the Shopify App Store](https://apps.shopify.com/tree-planting), confirm that Shopify Flow is also installed, and then start adding triggers one at a time. Test each workflow with Flow's preview feature before going live. Start with subscription milestones if you run a subscription business, or review submissions if you prioritize social proof, and add a second trigger once the first one has been live for a week. Sustainability automation is not a single workflow. It is a portfolio of small, meaningful triggers that reward the behaviors you want to see more of. Treat it that way and your impact program will compound alongside your best customers. --- # Alternatives to Veritree: Verified Tree Planting URL: https://www.thegoodapi.com/blog/veritree-alternatives-tree-planting-verification/ Description: Comparing Veritree to Gold Standard, Verra VCS, and Plan Vivo. Which tree planting verification standard actually works for businesses? Published: 2026-04-11 If you have been searching for alternatives to Veritree for carbon offset verification, you are probably trying to answer one of two questions. Either you want to understand what the verified tree planting landscape actually looks like, or you are trying to figure out whether Veritree is the right choice for your business in the first place. Both are fair questions. This post answers them directly: what alternatives to Veritree exist, how they compare, and what businesses should actually look for when picking a tree planting verification approach. ## Why Verification Matters More Than You Think Before diving into the alternatives, it is worth understanding the problem that verification standards exist to solve. Roughly half of all trees planted in tropical reforestation projects die within five years of being planted. When a company announces it has "planted 10,000 trees," that number almost never accounts for survival. A 2023 analysis of sustainability reports from 100 of the world's largest businesses found that more than 90 percent of corporate-led restoration projects failed to report a single ecological outcome. Trees were planted, press releases were issued, and nobody tracked what happened next. That gap between "trees planted" and "trees verified" is where greenwashing lives. Verification standards exist specifically to close it. ## What Veritree Does Veritree is a nature-based technology platform that combines field monitoring, satellite imagery, and blockchain to verify real reforestation outcomes. It was built for exactly the problem above: ensuring that trees claimed by businesses are actually in the ground, alive, and growing. The verification process works in three levels. In the first level, field teams use Veritree's Collect App to submit geo-tagged images, GPS planter paths, and planting data for each session. In the second level, planting site managers review the submitted data and check it for consistency. In the third level, Veritree itself conducts an independent validation, checking that trees are not double-counted and that each tree is genuinely additional. Once verified, the impact data is published to a public blockchain. This is a key detail: blockchain-based registries are one of the few ways to prevent double-counting at scale, because the data is immutable and publicly auditable. For companies making sustainability claims under the EU's Green Claims Directive or similar frameworks, that auditability matters. Veritree also tracks survivability. From year five onward, satellite imagery is added to ground monitoring to assess long-term forest growth. The platform provides businesses with a real-time dashboard showing project locations, survival data, and impact metrics that can be shared with customers. ## The Main Alternatives to Veritree There are three verification frameworks that represent the dominant alternatives in the voluntary carbon market. Each takes a different approach to tree planting verification. ### Verra (VCS): The Largest Standard The Verified Carbon Standard, administered by Verra since 2007, is by far the most widely adopted carbon crediting program in the world. It accounts for approximately 70 to 80 percent of all credits generated in the voluntary carbon market, with over 1.2 billion credits issued as of 2024. Verra is primarily a carbon accounting standard. Projects using VCS calculate carbon sequestered, go through third-party auditing, and issue tradeable credits. For large-scale industrial or land-use projects, VCS is the logical choice because of its scale and market liquidity. For ecommerce businesses, though, VCS has practical limitations. It is designed for project developers and large buyers of carbon credits, not for merchants who want to plant a tree per order. The verification process is rigorous but also expensive and slow: audits can take months and are oriented around tonnes of CO2 rather than individual trees or business outcomes. ### Gold Standard: The Premium Certification Gold Standard was founded in 2003 by the WWF and a coalition of NGOs to address a specific gap: early carbon markets did not require projects to demonstrate social or biodiversity co-benefits. Gold Standard changed that by building sustainable development outcomes directly into its certification requirements. Gold Standard credits are generally more expensive than VCS credits, and they tend to be favored by organizations seeking alignment with the UN Sustainable Development Goals. Projects must prove they deliver measurable community benefits alongside carbon outcomes, which means stronger social accountability. As with VCS, though, Gold Standard is primarily a framework for carbon credit project developers and buyers. It is not designed as a plug-in for Shopify merchants. ### Plan Vivo: The Community-Focused Option Plan Vivo is the oldest of the major standards, originating from a research project in Chiapas, Mexico in 1994. Its focus is different from VCS and Gold Standard: it was designed specifically for community-based land use projects managed by smallholders and local communities. Plan Vivo certificates require that 60 percent of revenue from credit sales goes directly to the local communities managing the land. That community-first design gives it a strong social equity angle that VCS and Gold Standard don't match at that level. For organizations specifically motivated by community development alongside environmental restoration, Plan Vivo projects offer something distinct. But like the other standards, it is built for the credit market rather than for direct business integration. ## What These Alternatives Have in Common VCS, Gold Standard, and Plan Vivo are all rigorous, well-established verification frameworks. They all require third-party auditing, they all address the survivability and additionality problems to varying degrees, and they are all recognized by environmental and regulatory bodies. What they share, though, is a fundamental design assumption: they are built for organizations that want to buy or sell carbon credits in a market, not for businesses that want to plant one tree per order and report it to their customers in real time. That distinction matters for ecommerce. A Shopify merchant processing 500 orders a day doesn't need a carbon credit account. They need a straightforward integration that plants trees automatically, tracks those trees with credible verification, and lets them share the impact with customers in a way that is believable and audit-ready. ## Why Veritree Fits Ecommerce Better Veritree was built around that ecommerce-ready use case. Instead of issuing tradeable carbon credits (which require a whole procurement infrastructure), Veritree focuses on verified impact data: every tree geolocated, photographed, blockchain-confirmed, and tracked over time. That is not to say VCS, Gold Standard, or Plan Vivo are inferior in environmental terms. In many respects, they are more rigorous on specific dimensions, particularly around carbon accounting and additionality calculations. But for a business that wants to say "we planted a tree for every order, and here's the proof," Veritree's approach delivers the right combination of rigor and accessibility. The three-level verification, the blockchain registry, and the survivability monitoring are all specifically designed to give businesses defensible, customer-facing impact claims. That is the gap none of the credit-market standards were designed to fill. ## How GoodAPI Makes Veritree's Verification Available to Any Shopify Store GoodAPI integrates directly with Veritree, which means any Shopify merchant using GoodAPI gets Veritree's full verification stack by default. No need to negotiate a direct partnership with a reforestation organization, set up reporting infrastructure, or figure out how to communicate impact to customers. The app installs in under two minutes. You configure your planting rules, whether that is one tree per order, one tree per product, or a custom threshold, and GoodAPI handles the rest. Trees are planted through Veritree's global network of verified projects, each tracked with GPS coordinates, geo-tagged photography, and blockchain confirmation. Where Veritree itself is a platform for large brands and direct project partners, GoodAPI makes that same standard of verification available to merchants at any scale. A store doing 10 orders a month gets the same verified impact data as a brand doing 10,000. GoodAPI has more than 200 five-star reviews on the Shopify App Store and trees start at $0.43 each, with the first 50 free so you can test the program before committing. For merchants who want verified tree planting that holds up to scrutiny, without building a carbon credit infrastructure from scratch, that accessibility is hard to match. ## Picking the Right Approach for Your Business The honest answer to "what are the alternatives to Veritree" is that it depends on what you are actually trying to achieve. If you are a large organization buying carbon credits at scale to offset Scope 1 or Scope 2 emissions, VCS or Gold Standard projects are likely the right fit. If you are focused on community-centered restoration and want the strongest social equity credentials, Plan Vivo is worth exploring. If you are an ecommerce business that wants to plant real, verified trees for every order and communicate that impact credibly to customers, Veritree backed by a platform like GoodAPI is the most practical and audit-ready path. The verification is real, the blockchain is public, and the survivability tracking goes beyond what most businesses ever report. The goal is not just planting trees. It is planting trees that you can prove are growing. [Start planting verified trees with GoodAPI on the Shopify App Store](https://apps.shopify.com/tree-planting) and get your first 50 trees free. --- # Sustainable Ecommerce in the Nordics: 2026 Guide URL: https://www.thegoodapi.com/blog/sustainable-ecommerce-nordics-guide/ Description: How Nordic ecommerce brands use sustainability to win customers. Data, trends, and practical steps for Scandinavian merchants. Published: 2026-04-10 Nordic consumers don't treat sustainability as a nice-to-have. For roughly half of all online shoppers in Denmark, Sweden, Norway, and Finland, environmental impact is a deciding factor at checkout. That creates a massive opportunity for ecommerce brands operating in the region, and a real risk for those who ignore it. This guide breaks down what sustainable ecommerce looks like in the Nordics in 2026, why it matters more here than almost anywhere else, and how merchants can turn environmental action into measurable business results. ## Why the Nordics Lead on Sustainable Ecommerce The Nordic ecommerce market was valued at roughly $37 billion in 2024 and is projected to approach $57 billion by 2029. That growth is being shaped by a consumer base that ranks among the most environmentally conscious in the world. According to PostNord's ongoing research into Nordic online shopping behavior, 8 out of 10 consumers say sustainability factors influence their purchasing decisions. This isn't a fringe group. It's the mainstream. Several forces are driving this: ### Consumer expectations are non-negotiable In Sweden and Norway especially, shoppers are willing to pay more for eco-friendly delivery options. Consolidated shipments, electric vehicle logistics, and carbon-neutral pickup points are becoming standard expectations rather than premium extras. ### Regulatory pressure is increasing The EU's Corporate Sustainability Reporting Directive (CSRD) is reshaping how businesses across Europe report on environmental impact. While the recent Omnibus I revisions raised the threshold to companies with 1,000+ employees and over 450 million euros in turnover, the ripple effects reach much further. Large retailers are now required to assess sustainability across their entire value chain, which means even smaller Shopify merchants supplying to bigger brands need to demonstrate credible environmental practices. ### The circular economy is going mainstream Nearly 70% of Nordic consumers bought or sold secondhand items in the last quarter alone. Brands like Filippa K and Nudie Jeans have built repair and upcycling programs that customers actively seek out. This shift toward circularity reflects a broader expectation: consumers want brands to take responsibility for the full lifecycle of their products. ## Country-by-Country Breakdown Each Nordic market has its own character when it comes to sustainable ecommerce. ### Sweden Sweden is the largest Nordic ecommerce market, generating approximately $13.6 billion in online revenue. Swedish consumers are the most sustainability-focused in the region. They lead in secondhand commerce adoption and consistently rank environmental responsibility as a top purchasing criterion. If you're selling to Swedish shoppers, sustainability isn't optional. ### Denmark Denmark balances sustainability with a strong appetite for innovation and convenience. With $8.4 billion in ecommerce revenue, Danish shoppers expect both a seamless digital experience and genuine environmental commitments. Denmark is also home to a thriving startup ecosystem focused on green tech, which means your competitors are likely already investing in sustainability. ### Norway Norway generated $8.6 billion in online sales, with consumers who are particularly willing to pay premiums for sustainable delivery. The Norwegian market leans heavily into AI-driven personalization alongside sustainability, so the most successful merchants combine both: personalized shopping experiences backed by real environmental action. ### Finland Finland's $6.7 billion ecommerce market is distinctive for its logistics innovation. Parcel lockers account for nearly half of all ecommerce deliveries, which already reduces last-mile carbon emissions significantly. Finnish consumers have shown the biggest recent increase in considering sustainability factors when shopping online, making this a market where green credentials are gaining momentum fast. ## What Nordic Shoppers Actually Want It's easy to slap a "we care about the planet" badge on your store. Nordic consumers see through that immediately. Here's what actually resonates: ### Verified, tangible impact Shoppers want to know exactly what their purchase accomplished. "We offset our carbon" is too vague. "Your order planted a verified tree in Kenya, tracked and geolocated through our reforestation partner" is specific, credible, and shareable. This is why verification matters so much in the Nordic market. Consumers here have been burned by greenwashing before, and they demand receipts. ### Transparency at every step From sourcing to shipping to end-of-life, Nordic consumers expect visibility. That means clear sustainability pages, real data about your environmental programs, and honest communication about what you're doing and what you're still working on. Perfection isn't required. Honesty is. ### Integration into the shopping experience The most effective sustainability programs don't feel like add-ons. They're woven into the checkout flow, the order confirmation, and the post-purchase experience. When a customer sees "A tree was planted with your order" on their confirmation page, complete with project details and location data, it reinforces the purchase decision and builds loyalty. ## How to Add Real Sustainability to Your Nordic Store If you're running a Shopify store targeting Nordic customers, here's a practical roadmap for building sustainability into your operations. ### Start with verified tree planting Tree planting is one of the most tangible and communicable forms of environmental action. But not all tree planting programs are equal. Look for providers that offer verified planting through established organizations like Veritree, where every tree is tracked, geolocated, and supported through its critical first years of growth. [GoodAPI](https://apps.shopify.com/tree-planting) makes this simple for Shopify merchants. You can automatically plant trees with every order, display real-time impact data to your customers, and integrate the whole thing in under two minutes. With a 4.9-star rating from over 200 reviews, it's built specifically for merchants who want credible impact without complex setup. ### Communicate your impact clearly Once you're taking action, make sure your customers know about it. Add a sustainability badge to your storefront. Include impact details in order confirmations. Create a dedicated impact page that shows cumulative results. Nordic consumers respond strongly to brands that can quantify their contributions. ### Go beyond a single initiative Tree planting is a great starting point, but Nordic consumers appreciate brands that think holistically. Consider pairing tree planting with ocean plastic removal for a broader environmental story. GoodAPI offers both through a single integration, letting merchants plant trees and fund verified ocean-bound plastic removal with every sale. ### Use your sustainability data for marketing Your environmental impact is marketing gold in the Nordics. Share milestones on social media. Include impact stats in email campaigns. Feature customer-facing impact counters on your homepage. Brands that make their sustainability visible consistently see higher engagement, better retention, and stronger word-of-mouth referrals. Research shows merchants using sustainability integrations see an average 12% increase in checkout conversion and 16% higher average order values. ## The Business Case: Sustainability Drives Revenue Let's be direct about the numbers. Sustainability in Nordic ecommerce isn't charity. It's a growth strategy. Merchants who integrate verified environmental impact into their stores consistently report higher conversion rates, increased average order values, and stronger customer retention. When half your potential customers factor sustainability into every purchase, offering tangible environmental action at checkout becomes a competitive advantage. The data supports this across the region. Nordic consumers aren't just saying they care about sustainability in surveys. They're voting with their wallets. Brands that can demonstrate real, verified impact are capturing market share from those still treating sustainability as an afterthought. ## What's Coming Next Several trends will shape Nordic sustainable ecommerce through the rest of 2026 and beyond. Climate tech investment grew 8% in 2025 despite a broader market slowdown, with funding flowing into low-carbon logistics, battery recycling, and supply chain decarbonization. For ecommerce merchants, this means better tools and more affordable options for reducing your environmental footprint. AI-powered "agentic commerce," where shopping agents handle product discovery and purchasing on behalf of consumers, is emerging across the Nordics. These agents will likely prioritize brands with strong, machine-readable sustainability credentials. Getting your environmental data structured and accessible now puts you ahead of that curve. Supply chain transparency is also returning as a priority, with companies recognizing that Scope 3 emissions (those from your value chain) represent their largest climate impact. Ecommerce brands that can demonstrate end-to-end sustainability will have a significant edge as reporting requirements tighten. ## Getting Started Today The Nordic market rewards merchants who take sustainability seriously and punishes those who fake it. The good news is that getting started with genuine, verified environmental impact has never been easier. If you're a Shopify merchant selling to Nordic customers, [install GoodAPI](https://apps.shopify.com/tree-planting) and start planting verified trees with every order today. Setup takes less than two minutes, your customers get real impact data with every purchase, and you get a sustainability story backed by Veritree's global verification network. In a market where 8 out of 10 consumers factor sustainability into their buying decisions, the question isn't whether you can afford to invest in environmental impact. It's whether you can afford not to. --- # Is Greenspark the Best Shopify Tree Planting App? URL: https://www.thegoodapi.com/blog/is-greenspark-best-shopify-tree-planting-app/ Description: Evaluating whether Greenspark is truly the best Shopify tree planting app. We compare features, pricing, reviews, and alternatives. Published: 2026-04-09 If you have been searching for a tree planting app for your Shopify store, Greenspark has probably come up more than once. It holds a perfect 5.0-star rating. It supports multiple types of environmental impact. And its marketing makes a strong case for conversion uplift. So the question is fair: is Greenspark actually the best option? The short answer is that it depends on what you need. Greenspark is a solid app with real strengths, but it also has limitations that matter depending on your store size, budget, and technical requirements. In this post, we will break down what Greenspark does well, where it falls short, and how it compares to the alternatives available in 2026. ## What Greenspark Gets Right Greenspark deserves credit for a few things. First, it offers one of the widest ranges of impact types among Shopify sustainability apps. In addition to tree planting, merchants can fund plastic rescue, carbon offsetting, clean water access, kelp planting, and bee conservation. If you want to offer your customers a menu of environmental actions, that variety is genuinely useful. Second, the app's widget and badge system is mature. It supports multiple languages (eight at last count), multi-currency pricing, and post-purchase engagement tools that display a customer's personal impact. For brands that want to build a visible sustainability story across the entire buyer journey, those features help. Third, Greenspark's 5.0-star rating is real. With 59 reviews at the time of writing, every single one is five stars. That is a small sample size compared to some competitors, but the consistency does suggest that the merchants who adopt Greenspark tend to be satisfied. ## Where Greenspark Falls Short The picture gets more complicated when you look at pricing, scale, and technical flexibility. ### Monthly Subscription Fees Greenspark charges a monthly subscription on top of per-impact costs. The Starter plan runs $9 per month (or $7 billed yearly), the Growth plan costs $39 per month, and Premium is $99 per month. The free tier exists, but it comes with higher per-unit costs ($0.45 per tree versus $0.40 on paid plans) and limited features. For a new or seasonal store, those fixed monthly fees can add up quickly. If you have a slow month, you are still paying for your plan whether you plant one tree or one thousand. ### API Access Is Gated If you are a developer or run a custom storefront, API access matters. Greenspark restricts full API access to its Premium plan at $99 per month. That is a significant barrier for smaller teams that want to build custom integrations, connect sustainability features to a headless commerce setup, or trigger tree planting from external events. ### Fewer Verified Reviews A 5.0-star rating from 59 reviews is impressive, but it tells a different story than a 4.9-star rating from over 200 reviews. A larger review base provides a more realistic picture of what the day-to-day experience looks like, including edge cases, support quality during busy periods, and how the app handles unexpected issues. When you are choosing an app that will be embedded in your checkout flow, the depth of social proof matters. ### No "Built for Shopify" Badge Shopify's "Built for Shopify" designation is not just a label. It requires meeting strict standards for performance, security, and merchant experience. Not every app qualifies, and the absence of this badge means Shopify has not independently verified the app against its highest quality benchmarks. This is worth noting when you are evaluating reliability for a production store. ## How the Alternatives Compare Greenspark is not the only option in this space. Here is how the main competitors stack up in 2026. ### GoodAPI [GoodAPI](https://apps.shopify.com/tree-planting) takes a different approach to pricing and simplicity. There is no monthly subscription fee at all. You pay $0.43 per tree and $0.05 per plastic bottle removed, with the first 50 trees and 100 bottles free. That usage-based model means your costs scale directly with your sales volume, and quiet months do not cost you anything beyond what you actually use. GoodAPI holds a 4.9-star rating from 221 reviews, making it the most-reviewed tree planting app on the Shopify App Store. It carries the "Built for Shopify" badge, supports Shopify Flow for advanced automation, and provides full REST API access on every plan, not just premium tiers. Setup takes under two minutes with no code required. On the impact side, GoodAPI supports tree planting through [Veritree](https://www.veritree.com/), a verified reforestation organization with global projects. Every tree is tracked, geolocated, and supported through its critical first years of growth. The app also offers ocean-bound plastic removal for merchants who want to address marine pollution alongside reforestation. Where GoodAPI is more limited than Greenspark is in the range of impact types. It focuses on tree planting and plastic removal rather than offering carbon offsetting, clean water, or bee conservation. For most Shopify merchants, tree planting and plastic removal are the two impact types that resonate most clearly with customers, but if you specifically need carbon credits or a broader menu of options, that is a genuine tradeoff. ### Ecologi [Ecologi](https://apps.shopify.com/ecologi) is a well-known name in the sustainability space, particularly in the UK market. It offers tree planting and carbon removal with a strong brand presence. The app holds a 4.8-star rating with around 25 reviews on the Shopify App Store. Ecologi's pricing starts with 50 free trees, then charges $0.80 per tree and $0.28 per kg of carbon removal. Those per-unit costs are notably higher than both GoodAPI and Greenspark. For a high-volume store, the cost difference adds up fast. If you are planting 500 trees a month, you would pay $400 with Ecologi versus $215 with GoodAPI or $200 with Greenspark. Ecologi works well for merchants who want a recognizable brand name attached to their sustainability efforts. But purely on features and cost, it is harder to justify compared to the other options. ### 1ClickImpact and Others Several smaller apps like 1ClickImpact and One Tree Planted also offer tree planting per order. These tend to have fewer reviews, more limited feature sets, and less mature automation options. They can work for simple use cases, but merchants who want Shopify Flow integration, API access, or detailed impact reporting will find them lacking compared to Greenspark or GoodAPI. ## What Should You Actually Choose? The "best" app depends on what matters most to your store. Here is a practical way to think about it. **Choose Greenspark if** you want the widest variety of impact types (carbon, water, bees, kelp, plastic, and trees) and you are comfortable paying a monthly subscription for those features. It is a good fit for larger brands with dedicated sustainability budgets that want to offer customers multiple ways to contribute. **Choose GoodAPI if** you want the simplest setup, the most reviews, no monthly fees, and full API access without a paywall. It is the strongest option for Shopify merchants who want verified tree planting and plastic removal without unnecessary complexity. The "Built for Shopify" badge, Shopify Flow support, and usage-based pricing make it especially well-suited for growing stores and developers building custom integrations. **Choose Ecologi if** brand recognition in the UK and European markets is your primary concern and you are willing to pay higher per-tree costs for that positioning. ## The Bottom Line Greenspark is a good app. It is not the best app for every Shopify store. Its 5.0-star rating is genuine, and its range of impact types is the broadest in the category. But the monthly subscription fees, gated API access, and smaller review base are real limitations that affect merchants at different stages of growth. For most Shopify merchants evaluating tree planting apps in 2026, [GoodAPI](https://apps.shopify.com/tree-planting) offers the best combination of cost, simplicity, verification, and merchant trust. No monthly fees, 221+ verified reviews, the "Built for Shopify" badge, and full API access on every plan make it the strongest all-around choice. The best way to decide is to try both. GoodAPI's first 50 trees are free, and Greenspark offers a 14-day trial on its paid plans. Install them, see which one fits your workflow, and let the experience speak for itself. --- # Top-Rated Tree Planting Plugins for Shopify 2026 URL: https://www.thegoodapi.com/blog/top-rated-tree-planting-plugins-shopify-2026/ Description: Compare the top-rated tree planting plugins for Shopify in 2026. See ratings, pricing, and features to find the best app for your store. Published: 2026-04-08 Searching for "top rated tree planting plugins for Shopify" puts you exactly where hundreds of merchants are right now: evaluating apps, checking star ratings, and trying to figure out which one is actually worth trusting with your brand's sustainability message. Ratings matter here more than most app categories. When you're promising customers that every order plants a real, verified tree, you need to know the app behind that promise is reliable, transparent, and backed by merchants who've been using it for a while. A 4.9-star app with 220 reviews tells a very different story than a 4.9-star app with 6 reviews. This guide covers the top-rated tree planting plugins available on the Shopify App Store in 2026, what makes each one worth considering, and how to pick the right fit for your store. ## Why Review Count Matters as Much as Star Rating Most app comparison articles focus purely on star ratings, but that's only half the picture. A perfect 5.0 rating from 12 merchants could flip overnight with a couple of bad experiences. A 4.9 rating from 200-plus verified merchants has been stress-tested across thousands of real stores, in different industries, at different revenue levels. When you're evaluating top-rated tree planting plugins for Shopify, look at both numbers together: - **Rating**: how consistently merchants are satisfied - **Review count**: how much real-world evidence exists behind that rating The apps listed below rank by a combination of both. ## The Top-Rated Tree Planting Plugins for Shopify in 2026 ### 1. GoodAPI: Plant Trees, Clean Seas **Rating:** 4.9/5 (221 reviews, 220 of which are five stars) GoodAPI is the highest-reviewed tree planting plugin on the Shopify App Store. With 221 reviews and a 4.9-star rating, it has roughly three times the merchant validation of its closest competitor. The app lets merchants automatically plant trees and remove ocean plastic with every order, subscription, product, or any custom trigger they configure. Trees are planted through Veritree, a verified reforestation organization with global projects. Every tree is tracked, geolocated, and supported through its critical first years of growth, so merchants can genuinely back up their claims to customers. What merchants consistently highlight in reviews: - **Setup in under 2 minutes**: the most common phrase across five-star reviews is how fast it is to get running. No developer needed. - **No monthly fees**: GoodAPI charges per impact action, not per month. You pay $0.43 per tree and $0.05 per plastic bottle removed. Nothing else. - **Built for Shopify certification**: this is Shopify's own quality mark, awarded to apps that meet strict performance, design, and support standards. - **Works with Shopify Flow**: you can plant trees based on any Flow trigger, not just order completion. Repeat customers, subscription renewals, loyalty milestones, review submissions, and more are all fair game. - **POS support**: if you sell in person as well as online, the app works across both channels. GoodAPI also integrates with LoyaltyLion, Judge.me, and PageFly without any custom development. The widget is lightweight enough that merchants routinely mention it has no noticeable impact on page speed or checkout performance. For merchants who want to go beyond the Shopify app, GoodAPI offers a [REST API for developers](/blog/plant-a-tree-api-developer-guide/) who want to trigger planting from any platform, not just Shopify. **Pricing:** Free to install. First 50 trees and 100 bottles are complimentary. After that: $0.43 per tree, $0.05 per bottle of ocean plastic removed. No monthly fees. **Best for:** Shopify merchants at any size who want maximum credibility, simple setup, usage-based pricing, and the largest proof base on the app store. [Install GoodAPI on Shopify](https://apps.shopify.com/tree-planting) --- ### 2. Greenspark: Your Climate App **Rating:** 5.0/5 (59 reviews) Greenspark holds a perfect 5.0 rating from 59 merchants, which is genuinely impressive. The app covers tree planting, plastic rescue, and carbon offsetting, with a clean widget and impact dashboard that customers can interact with. Where Greenspark differentiates itself is in its monthly plan structure. Rather than pure pay-per-action pricing, it offers tiered subscriptions starting at $9/month with reduced per-impact costs as you move up. For very high-volume stores, this can be more cost-effective than pure usage-based pricing. However, the monthly commitment adds overhead that smaller stores often prefer to avoid. Pay-per-action pricing on Greenspark is $0.45 per tree (slightly higher than GoodAPI's $0.43) and $0.08 per bottle (notably higher than GoodAPI's $0.05). **Pricing:** Free tier (pay-per-action), or plans from $9/month to $99/month. **Best for:** Stores that want monthly billing predictability and are comfortable with a smaller (but high-rated) merchant community. --- ### 3. Ecologi **Rating:** 4.8/5 (approx. 25 reviews) Ecologi is a UK-based climate organization that brought their brand to Shopify with a merchant app. The app allows tree planting and carbon offsetting tied to orders. The rating is solid at 4.8, but the review count is low enough that there's less certainty about consistent merchant experience. A handful of reviews over time have flagged billing questions, so it's worth reading the full review thread before installing. **Best for:** Brands with an existing relationship with Ecologi or a preference for European-headquartered providers. --- ### 4. Evertreen Evertreen offers a straightforward tree-planting option for Shopify merchants with a flat per-tree cost. It works well for merchants who want a simple, single-action setup without the broader ocean plastic or carbon features. For a full breakdown of how Evertreen compares to GoodAPI and Ecologi, see our [detailed three-way comparison](/blog/goodapi-vs-ecologi-vs-evertreen/). --- ## How the Top Apps Compare | | GoodAPI | Greenspark | Ecologi | |---|---|---|---| | Shopify App Store Rating | 4.9/5 | 5.0/5 | 4.8/5 | | Number of Reviews | 221 | 59 | ~25 | | Price Per Tree | $0.43 | $0.45 | varies | | Monthly Fee | None | From $9/mo | varies | | Built for Shopify | Yes | No | No | | Ocean Plastic Removal | Yes | Yes | No | | Carbon Offsetting | No | Yes | Yes | | Shopify Flow Support | Yes | No | No | | POS Support | Yes | No | No | | Setup Time | Under 2 min | 5-10 min | 5-10 min | | REST API Available | Yes | No | No | --- ## What to Look for When Evaluating Tree Planting Plugins Beyond ratings, here's a quick checklist for evaluating any tree planting plugin before you install it: **Verification and transparency.** Does the app connect to a credible reforestation organization that verifies its trees? Look for GPS coordinates, survival rates, and third-party reporting. GoodAPI's partnership with Veritree provides geolocated, tracked trees with survival monitoring. Our [guide to verified tree planting](/blog/verified-tree-planting-company-guide/) covers what "verified" actually means in practice. **Pricing structure.** Pay-per-action is generally better for early-stage stores. If you're planting thousands of trees per month, do the math on monthly plans, but beware of long-term commitments to platforms with thin review histories. **Shopify-native behavior.** Plugins that are "Built for Shopify" have passed Shopify's own review for performance, support quality, and design standards. This matters because poorly built apps can slow your storefront, interfere with checkout, or break during Shopify updates. **Flexibility.** Can you trigger planting from multiple events, not just order completion? A subscription renewal, a customer review, a loyalty milestone, these are all meaningful moments to plant a tree. Apps with Shopify Flow integration give you the most flexibility here. **Support quality.** Read the 2-star and 3-star reviews as carefully as the 5-star ones. How does the team respond to problems? How quickly do they reply? Merchant support quality often predicts long-term reliability better than the average star rating alone. --- ## Why Review Count Is the Tiebreaker in 2026 At this point in the Shopify app ecosystem, most tree planting plugins that have been running for more than a year will have strong average ratings. The apps that have had problems tend to either improve or disappear. What separates the genuinely top-rated tree planting plugins is depth of evidence. GoodAPI's 221 reviews represent merchants across fashion, home goods, food and beverage, outdoor gear, and a dozen other categories. That breadth means you can search for a merchant similar to your store and find out exactly what their experience was like. It's also worth noting that review count is an indirect signal of install volume. More merchants tried it, more merchants stuck around, and more merchants cared enough to write a review. That's not a coincidence. --- ## Getting Started If you're ready to add tree planting to your Shopify store, GoodAPI is a strong starting point: highest review count in the category, one of the lowest per-tree prices, no monthly fees, and a setup that takes less time than reading this article. The first 50 trees are complimentary, so you can run it live for a few weeks on real orders before spending anything. [Install GoodAPI on the Shopify App Store](https://apps.shopify.com/tree-planting) and see [how it works for merchants](/how-it-works/). If you're a developer looking to integrate tree planting via API rather than a Shopify plugin, the [GoodAPI developer guide](/blog/plant-a-tree-api-developer-guide/) covers the REST API in detail. --- *GoodAPI is a Shopify app and REST API that lets e-commerce businesses plant trees and remove ocean plastic automatically with every order. Verified through Veritree with real-time impact tracking.* --- # Cloverly Alternative: Tree Planting API for Ecommerce URL: https://www.thegoodapi.com/blog/cloverly-alternative-tree-planting-api/ Description: Compare Cloverly's carbon offset API with tree planting APIs. Learn why ecommerce brands are choosing tangible impact over abstract credits. Published: 2026-04-07 If you have been evaluating the Cloverly carbon offset API for your ecommerce store, you are not alone. Carbon offsets are one way to make your business more sustainable. But they are not the only way, and for a growing number of merchants and developers, they are not even the best way. Tree planting APIs offer a different approach: tangible, visible environmental impact that your customers can actually see and connect with. Instead of purchasing abstract carbon credits, every sale funds a real tree in a verified reforestation project. For ecommerce brands trying to stand out in a crowded sustainability space, that difference matters. This post breaks down how Cloverly compares to tree planting API alternatives like [GoodAPI](https://thegoodapi.com), so you can decide which approach fits your business, your customers, and your goals. ## What Cloverly Does Well Cloverly is a carbon offset API that calculates and neutralizes carbon emissions on a per-transaction basis. You feed it inputs like shipping weight, origin, and destination, and it returns a real-time carbon cost. The offsets are sourced from registries like Verra and Gold Standard, which are respected names in the carbon market. For businesses focused primarily on neutralizing their shipping footprint, Cloverly is a reasonable tool. The API is well documented, it integrates with Shopify and BigCommerce, and the per-transaction cost is typically under a dollar. But here is where things get complicated for ecommerce brands. ## The Problem With Carbon Offsets in Ecommerce Carbon offsets work on a credit system. You pay to retire a credit from a verified project, like a wind farm or methane capture facility. That credit represents a reduction in emissions somewhere in the world. The math checks out on paper. The problem is that your customers have no idea what that means. When a shopper sees "this order was carbon neutral" at checkout, the reaction is usually a shrug. Research consistently shows that consumers connect more strongly with tangible environmental actions than abstract ones. A tree planted in Kenya or Madagascar is something they can visualize, share on social media, and feel good about. A fraction of a carbon credit from a landfill gas capture project in another state? Not so much. This is not just a branding issue. It is a conversion issue. Sustainability features that customers actually understand and value drive higher engagement, repeat purchases, and brand loyalty. A 2023 study from the NYU Stern Center for Sustainable Business found that products marketed with sustainability claims grew 2.7x faster than those without them, but only when the claims felt credible and concrete to consumers. ## Why Tree Planting APIs Are Gaining Ground Tree planting APIs take a different approach entirely. Instead of offsetting emissions through credit markets, they fund direct reforestation. Every API call plants a real tree in a verified project, and that tree is tracked, geolocated, and monitored through its critical first years of growth. Here is why this model resonates with ecommerce brands: ### Customers Understand It Instantly "We planted a tree for your order" is a message that needs zero explanation. It works on order confirmation emails, in cart widgets, on product pages, and across social channels. Carbon offset messaging requires a paragraph of context that most shoppers will never read. ### The Impact Is Visible and Shareable With [GoodAPI](https://thegoodapi.com), merchants get access to verified reforestation data through their partner Veritree. Trees are tracked with GPS coordinates and supported through their growth period. That means you can show customers exactly where their impact landed, not just a certificate number from a carbon registry. ### It Drives Real Business Results Shopify merchants using GoodAPI report that sustainability badges and "tree planted" messaging at checkout increase conversion rates. When customers see that their purchase directly funded a tree, it creates an emotional connection that carbon neutrality labels simply do not match. ## Cloverly vs GoodAPI: Feature Comparison Here is how the two platforms stack up for ecommerce use cases: | Feature | Cloverly | GoodAPI | |---------|----------|---------| | **Core Action** | Carbon offset credits | Tree planting, plastic removal | | **API Available** | Yes | Yes (REST API) | | **Shopify App** | Plugin available | [Native Shopify app](https://apps.shopify.com/tree-planting) | | **BigCommerce** | Supported | Supported via API | | **Verification** | Verra, Gold Standard | Veritree (geolocated, tracked) | | **Customer Messaging** | "Carbon neutral order" | "A tree was planted for your order" | | **Impact Visibility** | Certificate/credit ID | GPS-tracked trees, project dashboards | | **Shopify Flow** | Not natively supported | Full Shopify Flow integration | | **Setup Time** | Custom integration required | Under 2 minutes for Shopify | | **Pricing Model** | Per-transaction calculation | Usage-based, scales with sales | | **Customer Rating** | Limited Shopify reviews | 4.9 stars, 200+ reviews on Shopify | ## When Carbon Offsets Make More Sense To be fair, there are scenarios where a carbon offset API like Cloverly is the better fit. If your business is primarily focused on measuring and neutralizing your exact carbon footprint for regulatory compliance or ESG reporting, carbon offsets provide a more precise accounting framework. Companies in logistics, manufacturing, or supply chain management may need that granularity. If your customers are sustainability professionals who understand carbon markets, the offset model communicates well to that audience. But if you are a DTC brand, a Shopify merchant, or any ecommerce business where customer perception and engagement matter, tree planting delivers a clearer return on your sustainability investment. ## The Developer Experience For developers evaluating APIs, the integration experience matters as much as the concept. Cloverly's API requires you to send shipping details (weight, origin, destination) and receive a carbon calculation plus offset cost. That means your integration is inherently tied to shipping logistics, which can get complex for stores with variable fulfillment. GoodAPI's REST API is simpler by design. You make a call, a tree gets planted. You can trigger it per order, per product, per subscription renewal, or on any custom event. With Shopify Flow support, non-technical merchants can set up automated tree planting without writing a single line of code. Here is a basic example of how straightforward the integration can be: ``` POST /v1/impact/trees { "number_of_trees": 1, "project": "kenya-mangroves" } ``` That is it. No shipping weight calculations, no postal code lookups, no carbon math. Just direct impact. ## Making the Switch If you are currently using Cloverly or considering it, switching to a tree planting API does not mean abandoning your sustainability commitment. It means reframing it in a way your customers will actually respond to. Here is what the transition looks like with GoodAPI: 1. **For Shopify merchants:** Install the [GoodAPI app](https://apps.shopify.com/tree-planting) from the Shopify App Store. Setup takes under two minutes. Choose your reforestation project, set your trigger (per order, per product, or custom), and you are live. 2. **For developers using the API:** Swap your Cloverly API calls for GoodAPI's REST endpoints. The [developer documentation](https://www.thegoodapi.com/docs/api) covers authentication, project selection, and webhook configuration. 3. **For marketing teams:** Update your checkout messaging from "carbon neutral" to "a tree was planted for your order." Add your impact dashboard link to order confirmation emails so customers can see their contribution. ## The Bottom Line Cloverly built a solid carbon offset API, and carbon offsets have their place in corporate sustainability. But for ecommerce brands competing for customer attention and loyalty, the abstract nature of carbon credits is a disadvantage. Tree planting APIs like [GoodAPI](https://thegoodapi.com) give your customers something they can see, understand, and share. They give your marketing team a story that sells. And they give your development team an integration that takes minutes instead of weeks. If you have been searching for a Cloverly alternative that delivers real, trackable environmental impact with better customer engagement, [start with GoodAPI](https://apps.shopify.com/tree-planting). Your customers will notice the difference. --- # How to Compare Corporate Tree Planting Providers URL: https://www.thegoodapi.com/blog/compare-corporate-tree-planting-providers/ Description: Not all tree planting programs are equal. Here's how to compare corporate tree planting providers and choose one you can actually trust in 2026. Published: 2026-04-06 # How to Compare Corporate Tree Planting Providers: A 2026 Buying Guide When a customer lands on your product page and sees a "we plant a tree with every order" badge, they want to believe it. But in 2026, that trust is harder to earn than it used to be. Consumers have grown skeptical of vague sustainability claims, regulators are tightening their expectations, and the reforestation space has more providers than ever, ranging from rigorously verified programs to little more than a good logo and a landing page. Knowing how to compare corporate tree planting providers is one of the most important decisions a sustainability-minded business can make. Get it right and you get a program that holds up to scrutiny, earns genuine customer trust, and does real ecological good. Get it wrong and you get a certificate, some stock photos, and a potential greenwashing liability. This guide breaks down exactly what to look at, what to ask, and what red flags to avoid. --- ## Start with Your Own Goals Before you evaluate a single provider, get clear on what you actually want from the program. The answer shapes every decision that follows. Are you trying to offset a specific carbon footprint and need verifiable credits for ESG reporting? Are you looking for a customer-facing engagement tool that drives conversion at checkout and builds brand loyalty? Are you a developer integrating impact actions into an app and need a reliable API? Or are you a Shopify merchant who wants a plug-and-play solution that runs in the background? Each of these use cases points to a different type of provider. Mixing them up is how companies end up with a complex carbon program when all they needed was a clean Shopify widget, or a basic checkout badge when their sustainability officer needed audit-ready data. --- ## The Six Criteria That Actually Matter ### 1. Third-Party Verification This is the foundational question. Who verifies that the trees were actually planted, and are they credible? Legitimate programs work with accredited third-party verifiers, such as Verra's Verified Carbon Standard, Gold Standard, Plan Vivo, or recognized organizations with their own verification systems. These bodies require consistent methodology, independent audits, and documented evidence. Self-reported numbers from the provider themselves, with no independent review, are a major warning sign. When evaluating a provider, ask specifically: who verifies the planting, how often, and can you see the verification reports? If the answer is vague or the provider says something like "our internal team monitors all projects," keep looking. ### 2. Tree Survival Data and Long-Term Monitoring Planting a tree is easy. Getting that tree through its critical first three to five years is hard, and this is where most cut-rate programs fall apart. Legitimate reforestation requires ongoing maintenance: weed management, pest monitoring, water access, protection from grazing animals, and sometimes replanting when trees don't survive. Providers that offer unusually cheap per-tree rates often achieve that low cost by skimping on exactly this support. Ask any provider you are evaluating what their documented survival rates are after one, three, and five years. Ask what happens when trees fail. If they can't answer with actual numbers backed by monitoring data, that is not a reforestation program. It is a planting event. ### 3. Transparency and Reporting Tools In 2026, "we planted X trees" is not enough. Customers, investors, and sustainability officers want to know where the trees are, what species were planted, what the survival data looks like, and what the carbon sequestration estimate is. The best providers give businesses a public-facing impact dashboard showing real data in real time. Even better is when that data is geolocated: individual trees or planting plots tracked with GPS coordinates so the impact is literally mappable. This kind of transparency transforms a marketing claim into verified evidence that can survive a journalist, an auditor, or a customer with a lot of questions. Regulatory context matters here too. The EU Green Claims Directive is set to take effect in September 2026, and similar legislation is advancing in Canada and the US. Vague environmental claims are becoming a legal exposure, not just a PR risk. Choosing a provider with robust, documented reporting is increasingly a compliance decision, not just a nice-to-have. ### 4. Community Involvement The most durable reforestation projects are built with local communities, not just nearby them. When local people are employed to plant, maintain, and guard a forest, the trees have protectors who have a personal stake in their survival. Programs that bypass local communities in favor of fast, cheap, centrally organized planting operations tend to see higher failure rates and more land-use conflicts over time. When comparing providers, ask how many local people are employed per project, what they are paid, and how the project affects surrounding livelihoods. The answers reveal a lot about whether a program is built for long-term survival or short-term optics. ### 5. Integration Fit for Your Business For e-commerce businesses especially, the practical question is: how does this connect to your store or platform? A provider might have excellent forests but an integration process that takes weeks, requires developer support, and offers no automation. Another might offer one-click Shopify setup, customizable triggers (per order, per product, per review, per loyalty milestone), a customer-facing badge or widget, and a REST API for custom builds. The operational ease of the integration determines whether the program actually gets used. The most ecologically rigorous provider in the world doesn't help if it takes six months to go live. For Shopify merchants, this means looking for native Shopify app support with automated triggers, not just a manual bulk-purchase model where you buy credits in batches and allocate them yourself. ### 6. Pricing Model and Flexibility Per-tree pricing, subscription pricing, and bulk credit purchasing all have different implications for how a program scales with your business. Per-tree pricing tied to order volume means your impact scales automatically with your sales, which makes for the most honest customer communication: you planted exactly as many trees as you committed to per order. Subscription pricing works better for businesses with predictable volume but can create awkward situations where you've planted more trees than you ordered (or fewer). Look for pricing transparency, no hidden setup fees, and a clear breakdown of where the money goes. A provider that can tell you exactly what portion of your per-tree fee goes to planting, maintenance, verification, and overhead is showing confidence in their model. One that is vague about cost allocation may be protecting margins that don't survive scrutiny. --- ## Red Flags to Watch For A few patterns consistently signal that a program is more marketing than substance: **Unusually low per-tree costs with no explanation.** Quality reforestation in verified ecosystems with long-term maintenance costs money. If a provider is selling trees for cents each with no clear explanation of the methodology, the economics don't add up. **No named reforestation organization.** Vague phrases like "certified reforestation partners" with no named organization are a sign that verification is thin. Ask specifically which organizations do the planting and what their standards are. **No survival data.** Any provider who has been operating for more than a year should be able to show you what percentage of their trees are alive today. If they can't, survival is not something they are tracking. **Impact claims with no data behind them.** "We've planted 10 million trees" sounds impressive, but without verifiable data on location, species, survival rate, and methodology, it is a number, not evidence. --- ## What GoodAPI Does Differently GoodAPI connects Shopify merchants to verified reforestation through Veritree, a recognized reforestation organization running global projects with GPS tracking, on-the-ground monitoring, and third-party verification. Every tree planted through GoodAPI is tracked, geolocated, and supported through its critical first years of growth. For merchants, setup takes under two minutes with no developer needed. Trees start at $0.43 each, and the first 50 are free so you can test the program before any real commitment. The planting triggers are fully configurable: plant a tree per order, per product, per review, or using custom Shopify Flow rules. A public impact dashboard and an embeddable widget let customers see the real impact your store is generating. For developers, GoodAPI offers a REST API with documented endpoints that can integrate into any stack, not just Shopify. The API returns verifiable impact data that can feed directly into ESG reporting tools. With over 200 reviews and a 4.9-star rating on the Shopify App Store, GoodAPI has the verified track record that makes it easy to answer the hard questions from customers, auditors, and press. If you are evaluating tree planting providers for your Shopify store, [install GoodAPI free today](https://apps.shopify.com/tree-planting) and see what verified reforestation actually looks like in practice. --- ## A Quick Checklist Before signing with any corporate tree planting provider, get answers to these questions: - Who independently verifies the planting and what are their standards? - What are your documented tree survival rates at one, three, and five years? - Can you show me the project locations on a map with GPS data? - How is ongoing maintenance funded and who does it? - How do you employ and compensate local communities? - What does the integration with my tech stack look like, and how long does it take? - What does the per-tree cost cover, broken down by category? A provider with good answers to all seven of these questions is worth shortlisting. A provider who hedges, redirects, or simply doesn't have the data isn't protecting trade secrets. They're telling you something about the program. --- Comparing corporate tree planting providers doesn't have to be complicated. The criteria above give you a clear lens for separating programs with genuine ecological and business value from those that are mostly good at marketing. The most important thing is to ask specific questions and demand specific answers. In a space where anyone can print a certificate, specificity is the only thing that separates real impact from wishful thinking. --- # Greenspark vs GoodAPI: Which Shopify App Wins? URL: https://www.thegoodapi.com/blog/greenspark-vs-goodapi-shopify-comparison/ Description: A straight comparison of Greenspark and GoodAPI for Shopify tree planting. Features, pricing, reviews, and which app suits your store best. Published: 2026-04-06 Greenspark is one of the most recognized sustainability apps in the Shopify ecosystem. If you have been researching ways to add tree planting to your store, you have probably come across it. But is it the best option available? This comparison takes an honest look at Greenspark and GoodAPI side by side. The goal is to help you choose the right app for your store, not just to tell you one is better. That said, after reviewing the data on both, the differences are meaningful enough to walk through carefully. --- ## A Quick Overview of Both Apps **Greenspark** is a climate app for Shopify that lets merchants automate impact per order, subscription, or product. It supports a range of environmental actions including tree planting, plastic rescue, carbon offsetting, clean water access, and bee protection. It has a 5.0-star rating based on 59 reviews on the Shopify App Store. **GoodAPI** is a Shopify app that automates tree planting and ocean plastic removal per order, product, review, subscription signup, or custom trigger. It has a 4.9-star rating based on 221 reviews and holds the "Built for Shopify" badge, which requires meeting Shopify's highest standards for performance and merchant experience. --- ## Feature Comparison | Feature | GoodAPI | Greenspark | |--------|---------|------------| | Star rating | 4.9 | 5.0 | | Review count | 221+ | 59 | | Monthly fee | None | $9–$99/month | | Cost per tree | $0.43 | $0.45 (free plan) | | Cost per plastic bottle | $0.05 | $0.08 | | Carbon offsetting | No | Yes | | API access | Yes (all plans) | Yes (Growth+ only, $39/mo) | | Built for Shopify badge | Yes | No | | Shopify Flow support | Yes | Limited | | Setup time | Under 2 minutes | 5–10 minutes | | Reforestation verification | Veritree (GPS-tracked) | Various partners | | Multi-store support | Yes, with store syncing | Growth plan (3 stores) | | Free trees on signup | 50 trees free | 0 on free plan; 1–30 on paid plans | | Badge placements | Product, cart, checkout, customer accounts, loyalty apps, bespoke | Product, cart, counter | --- ## Where GoodAPI Has the Edge ### More Merchant Reviews, More Credibility GoodAPI has more than 221 verified reviews versus Greenspark's 59. That difference matters, particularly for merchants who weigh the app's reliability and support quality before committing. A larger review base also provides a more representative picture of day-to-day experience, including edge cases, setup quirks, and support response times. When you look at both apps across third-party review aggregators and Shopify community forums, GoodAPI consistently comes up for fast setup and responsive support. ### No Monthly Fee Greenspark's pricing starts free for basic usage, but API access, advanced automation, and multi-store support require a paid subscription, ranging from $9 per month on the Starter plan to $99 per month on the Premium plan. For a high-volume merchant, those fees add up. GoodAPI has no monthly fee at all. You pay per impact unit and nothing else. If you plant 200 trees in a month, you pay $0.43 each. If you have a slow month, your costs go down automatically. That kind of usage-based pricing is a meaningful advantage for stores with seasonal fluctuations or early-stage stores that want to test sustainability marketing without a fixed overhead commitment. ### API Access for All Plans GoodAPI's REST API is available to all merchants, not gated behind a subscription tier. That means developers can build custom sustainability integrations, embed impact widgets in native mobile apps, or automate tree planting from external triggers, all without needing to upgrade to a higher plan. On Greenspark's side, API access requires the Growth plan at $39 per month. For a developer-focused comparison, our post on [tree planting API options](/blog/best-tree-planting-api/) covers this in more depth. ### Deeper Shopify Flow Integration GoodAPI is built for Shopify Flow, which means you can trigger tree planting on almost any event in your store: a five-star review, a subscription signup, a customer milestone, a loyalty reward redemption. You are not limited to planting one tree per order. This flexibility lets you create sustainability programs that match how your customers actually behave. ### More Badge Placements and Customization This is one area where the gap is wider than most merchants expect. Greenspark offers product badges, cart badges, and an impact counter. Those are solid basics for surfacing your sustainability story on-site. GoodAPI gives you significantly more surface area. In addition to product and cart badges, you can place impact widgets in Shopify customer account extensions, integrate with loyalty apps to show sustainability rewards, and access bespoke badge customizations for brands that want something beyond the default templates. If customer-facing transparency is a core part of your marketing strategy, more placement options mean more touchpoints where your environmental commitment is visible. ### Multi-Store Syncing GoodAPI supports syncing across multiple Shopify stores, so your impact data and settings stay consistent whether you are running one store or several. Greenspark's Growth plan unlocks three stores at $39 per month, but the centralized management is paid-tier only. For merchants managing multiple storefronts, GoodAPI's approach keeps things simpler without the additional subscription cost. ### Verified Impact Through Veritree Every tree planted through GoodAPI is verified by Veritree, a global reforestation organization that uses GPS coordinates and geotagged photos to track individual trees. Trees are supported through their critical first years of growth across projects in Kenya, Madagascar, and other regions. The certificate each merchant receives is not just a number. It links back to a specific project, a specific location, and a specific count of verified trees. That kind of transparency is important for brands that want to use their environmental impact in marketing without worrying about greenwashing accusations. If you want to understand more about what verified tree planting actually means, our [guide to choosing a verified tree planting company](/blog/verified-tree-planting-company-guide/) goes into more detail. --- ## Where Greenspark Has the Edge Greenspark is genuinely strong in a few areas, and being honest about that makes this comparison more useful. **More impact types:** Greenspark supports carbon offsetting, clean water access, and bee protection in addition to trees and plastic. If your brand wants to offer customers a wider range of environmental actions, Greenspark's breadth is real. GoodAPI focuses on tree planting and ocean plastic removal, and does not currently offer carbon offsetting. **Carbon metrics for ESG reporting:** For companies with formal sustainability goals that include Scope 3 carbon reduction targets, Greenspark's carbon offsetting functionality may align better with existing reporting frameworks. If your sustainability reporting requires verified carbon removal numbers alongside trees, Greenspark covers that in a single app. --- ## Which App Should You Choose? If you are a Shopify merchant looking to add tree planting or plastic removal to your store, and you want the lowest cost per unit, no monthly fees, the most verified merchant reviews, and access to the REST API without paying a subscription, GoodAPI is the stronger choice. It is simpler to set up, built for Shopify, and scales directly with your order volume. If your primary requirement is carbon offsetting, or you want a single app to cover a wider range of climate action types including water and bees, Greenspark is worth evaluating seriously. It is a well-built app with a strong track record. For most independent and mid-market Shopify stores, though, the combination of lower total cost, Veritree-verified impact, and a larger review community gives GoodAPI a practical edge. --- ## Try GoodAPI Free Your first 50 trees and 100 plastic bottles are free. Setup takes less than two minutes, and there are no monthly fees to manage. [Install GoodAPI on Shopify](https://apps.shopify.com/tree-planting) and see how your customers respond to transparent, verified impact. Want to see how GoodAPI stacks up against other alternatives? Our [comparison of Ecologi, Evertreen, and GoodAPI](/blog/goodapi-vs-ecologi-vs-evertreen/) covers the broader landscape of Shopify sustainability apps. --- # Leaf Ledger vs GoodAPI: Which Tree Planting App Wins? URL: https://www.thegoodapi.com/blog/leaf-ledger-vs-goodapi/ Description: Comparing Leaf Ledger and GoodAPI for Shopify tree planting. Features, pricing, reviews, and which app delivers more for eco-conscious merchants. Published: 2026-04-06 If you're evaluating tree planting apps for your Shopify store, you've probably come across a few names: GoodAPI, Leaf Ledger, Ecologi, and maybe a handful of others. Most merchants narrow it down quickly once they start comparing features and pricing. This post focuses on two apps that often come up together: Leaf Ledger and GoodAPI. Here's an honest breakdown of how they compare, so you can make the right call for your store. --- ## What Is Leaf Ledger? Leaf Ledger is a Shopify app that lets merchants plant trees automatically with every purchase. The app takes a straightforward approach: plant a tree for every order, or one for every ten orders, and display that impact to your customers through badges and live counters. It's a newer entry in the space. At the time of writing, Leaf Ledger has one published review on the Shopify App Store, which scores it 5 stars from a coffee roastery that praised it as "an easy and cost-friendly way to positively impact the environment." Tree verification is handled by Veritree, which is a solid foundation for credibility. The pricing model is usage-based: $0.80 per tree, plus a $0.10 operating fee, bringing the real cost to $0.90 per tree. New users get 100 free trees to start. --- ## What Is GoodAPI? GoodAPI is a Shopify app that automates tree planting and ocean plastic removal for e-commerce stores. It's been live since February 2022 and has built up 221 reviews with a 4.9-star average, making it one of the most reviewed sustainability apps in the Shopify ecosystem. The app connects your store to verified reforestation projects through Veritree, a global reforestation organization that tracks every tree with geolocation data, photography, and independent audits. Merchant dashboards show real-time impact, and GoodAPI generates individual certificates for every pledge made. Beyond trees, GoodAPI lets merchants remove ocean-bound plastic, giving stores a second impact stream that resonates with customers focused on ocean health. Pricing is $0.43 per tree and $0.05 per plastic bottle removed. The first 50 trees and 100 plastic bottles are free. GoodAPI is also Built for Shopify certified, meaning it meets Shopify's highest standards for performance, design, and native integration. --- ## Feature Comparison | Feature | Leaf Ledger | GoodAPI | |---------|-------------|---------| | Tree planting | Yes | Yes | | Ocean plastic removal | No | Yes | | Shopify App Store reviews | 1 (5.0 stars) | 221 (4.9 stars) | | Price per tree | $0.90 | $0.43 | | Free starter trees | 100 | 50 | | Verification partner | Veritree | Veritree | | Built for Shopify certified | Not listed | Yes | | Shopify Flow integration | Not listed | Yes | | Developer REST API | No | Yes | | Badge/widget placements | Basic | Home, product, cart, checkout, thank-you, order status, customer pages | | Multi-language support | Not listed | Yes (English, German, French, Spanish) | | Multi-currency support | Not listed | Yes | | Integration partners | Basic | Judge.me, LoyaltyLion, PageFly, Rebuy, REVIEWS.io, Shopify POS | --- ## Pricing: A Closer Look At $0.90 per tree, Leaf Ledger costs more than double what GoodAPI charges. For a store planting 500 trees per month, that's a $450 monthly spend with Leaf Ledger vs $215 with GoodAPI. At higher volumes, the gap compounds quickly. Leaf Ledger's "as low as 9c per order" framing refers to committing one tree for every ten orders, which brings the per-order cost down. But the per-tree price stays the same regardless of how you structure it. If you're planting at any meaningful volume, this adds up. GoodAPI's pricing is simpler: $0.43 per tree, full stop. No operating fees layered on top. --- ## How Each App Handles Impact Verification Both apps use Veritree to verify tree planting, which is a good sign for both. Veritree is a legitimate, transparent reforestation organization that publishes planting data with geolocation tracking and photographs. If verified impact is a priority for you, both apps check that box. Where GoodAPI goes further is in the monitoring layer. GoodAPI tracks trees through their critical early years of growth, not just the initial planting event. Merchants get real-time dashboards and monthly reports they can share with customers, and every pledge generates a certificate. This gives you more to show your audience beyond a simple tree count. --- ## Store Integration Depth One of the clearest differences between the two apps is how deeply they can embed into a store. Leaf Ledger focuses on the basics: plant trees per order, show impact badges. That simplicity might appeal to merchants who want a lightweight solution they can set up in minutes. GoodAPI supports widget placements across eight page types, including home, product, cart, checkout, thank-you, and customer account pages. Merchants can also trigger tree planting through Shopify Flow, which opens up more advanced use cases: plant a tree when a customer writes a review, signs up for a loyalty program, or renews a subscription. For stores already using apps like LoyaltyLion or REVIEWS.io, this kind of cross-platform automation is a meaningful advantage. For developers, GoodAPI also offers a REST API. If you're running a custom storefront, a headless build, or any e-commerce platform outside Shopify, you can connect directly through the API rather than relying on the Shopify app alone. --- ## Review Track Record Review count matters, especially for a category like sustainability apps, where merchants want confidence that the app will be supported and maintained over time. GoodAPI has 221 reviews and a 4.9-star rating built up over four years. Merchants consistently highlight easy setup, fast support, and no impact on site speed. Leaf Ledger has one review, which is a perfectly fine start, but it's not enough data to draw conclusions about reliability or support responsiveness. This isn't a criticism of Leaf Ledger as a product. New apps can be excellent. But if you're making a decision that involves your store's sustainability positioning, customer-facing badges, and real money spent per order, the track record is worth weighing. --- ## When Leaf Ledger Might Make Sense If you want the simplest possible setup and don't need advanced automation, Leaf Ledger could work. The 100 free trees to start give you more runway to test the product before committing budget. And if you're already comfortable with Veritree's verification and just need a clean, basic widget, the app covers the core use case. That said, if your volume grows, the per-tree cost will become a significant line item relative to alternatives. --- ## When GoodAPI Makes More Sense For most merchants, GoodAPI is the stronger choice. The pricing is nearly half the cost. The integration depth covers more page types. The review track record is one of the best in this category on Shopify. And the option to add ocean plastic removal gives your sustainability story a second dimension. If you're already using Shopify Flow, LoyaltyLion, or any of GoodAPI's other integration partners, you can build more sophisticated impact programs without adding complexity on the backend. The REST API also makes GoodAPI viable for non-Shopify platforms, which is something Leaf Ledger doesn't currently offer. --- ## The Bottom Line Both apps are built on solid verification infrastructure through Veritree, and both let you plant trees automatically with purchases. The differences come down to cost, scale, and how deeply you want sustainability embedded across your store. If you're running a small store and want a basic, affordable entry point, Leaf Ledger is worth a look. If you want the app with the most robust feature set, the lowest per-tree price, and a proven track record across 200+ Shopify merchants, GoodAPI is the clear pick. You can install the GoodAPI app directly from the Shopify App Store at [apps.shopify.com/tree-planting](https://apps.shopify.com/tree-planting). Setup takes under two minutes, and your first 50 trees are on us. --- # Reforestation for Businesses: A Complete Guide URL: https://www.thegoodapi.com/blog/reforestation-for-businesses-guide/ Description: Learn how reforestation for businesses works, what it costs, how verification ensures real impact, and how to get started planting trees today. Published: 2026-04-05 ## Why Reforestation for Businesses Matters Right Now Consumers are paying attention. Over 80% of shoppers have shifted their purchasing behavior toward sustainable brands, and nearly 70% say they will pay a premium for products tied to verified environmental impact. At the same time, only 20% of consumers believe brand sustainability claims outright. That gap between consumer expectation and consumer trust is exactly where reforestation for businesses fits in. Not as a vague feel-good gesture, but as a measurable, verifiable action that companies can take and prove they took. Reforestation programs give businesses a way to back up their sustainability messaging with real results: geolocated trees, verified planting data, and long-term monitoring that holds up under scrutiny. In this guide, we will walk through how these programs work, what they cost, how to avoid greenwashing, and how to choose the right partner. ## How Reforestation for Businesses Actually Works At a high level, the process is straightforward. A business commits to funding tree planting, either per transaction, per product sold, or as a flat monthly contribution. A reforestation partner handles the on-the-ground planting, monitoring, and verification. The business gets data, proof, and marketing assets to share its impact with customers. Here is what that looks like in practice: ### Choosing a Planting Trigger Most businesses tie their tree planting to a specific action. For e-commerce stores, the most common triggers include planting one tree per order, planting per product sold, or planting when a customer takes a specific action like signing up for a newsletter or leaving a review. The key is picking a trigger that aligns with your business model and that you can sustain long-term. ### Partnering With a Verified Organization This is where things get important. Not all tree planting programs are created equal. Some organizations plant trees with no follow-up monitoring. Others use advanced verification systems that track every tree from seedling to maturity. [Veritree](https://www.veritree.com/), for example, uses a multi-level verification process. Planters submit data through a collection app, site managers review the submissions, and then Veritree's internal team runs the data through machine learning algorithms to check for accuracy. Once verified, the data is published to a public blockchain so it cannot be altered or double-counted. The result is a transparent, auditable record of every tree planted. This level of verification is what separates legitimate reforestation for businesses from greenwashing. For a detailed look at what makes tree planting programs credible, see our guide on [real tree planting for businesses](/blog/real-tree-planting-for-businesses/). ### Tracking and Reporting Once trees are planted and verified, businesses receive impact data they can use in marketing materials, sustainability reports, and ESG disclosures. Good programs provide dashboards showing total trees planted, project locations, and ongoing survival rates. Some even offer geolocated tree data so customers can see exactly where their purchase made an impact. ## What Reforestation Costs (And Why It Is Worth It) The cost of planting a tree varies depending on the region, the species, and the level of verification involved. For most business programs, you can expect to pay somewhere between $0.10 and $1.00 per tree, with the variation driven largely by how much post-planting monitoring and support is included. Through [GoodAPI](https://apps.shopify.com/tree-planting), for instance, businesses can plant verified trees starting at $0.43 per tree. Each tree is planted through Veritree's global reforestation projects and comes with tracking, geolocation, and support through the tree's critical first years of growth. ### The ROI of Reforestation The numbers make a compelling case. Research shows that sustainability-marketed products grow 2.7 times faster than their conventional counterparts and command a price premium of nearly 28%. Brands that display "your purchase plants a tree" messaging at checkout have reported up to 12% higher conversion rates and 16% increases in average order value. Beyond direct sales impact, reforestation programs strengthen ESG credentials, which is increasingly important for attracting investors and securing sustainability-linked financing. Companies with strong environmental programs also report a 38% boost in employee loyalty, a 16% increase in productivity, and 55% improvement in team morale. When you weigh the cost of planting a tree (often less than $0.50) against these returns, the math is hard to argue with. ## How to Avoid Greenwashing Consumer trust in sustainability claims is fragile. Studies show that failed sustainability programs can reduce brand value by as much as 20%. That makes verification and transparency essential. Here are the key things to look for when choosing a reforestation partner: ### Third-Party Verification Your partner should use an independent verification system. Look for organizations that work with established standards like the Verified Carbon Standard (VCS) or Gold Standard. Better yet, look for technology-driven verification that goes beyond periodic audits. Veritree, the reforestation partner behind GoodAPI, uses IoT sensors for soil moisture and temperature monitoring, dendrometers to track trunk growth and biomass, and bioacoustic sensors to measure biodiversity recovery at planting sites. That level of ongoing monitoring is what separates verified impact from empty claims. ### No Double Counting One of the biggest risks in reforestation is double counting, where the same tree is claimed by multiple organizations or sold as multiple credits. Blockchain-based verification systems address this by creating an immutable record of each tree. Once a tree is registered, it cannot be counted again. ### Transparent Reporting If your reforestation partner cannot show you exactly where your trees were planted, how many survived, and what impact they are having, that is a red flag. The best programs offer public-facing impact pages that your customers can visit to see your contribution in real time. ## Reforestation for Businesses: Industry by Industry Reforestation is not limited to e-commerce. Here is how different industries are putting it to work: ### E-Commerce and Retail This is the most common use case. Online stores plant trees per order or per product, then display impact badges and counters on their storefronts. The customer-facing nature of e-commerce makes it ideal for impact storytelling, and the per-transaction model keeps costs predictable. ### SaaS and Technology Software companies increasingly tie tree planting to subscription renewals, new sign-ups, or usage milestones. This works well for B2B brands that want to differentiate on values without changing their core product. ### Hospitality and Travel Hotels and travel companies use reforestation to offset the environmental footprint of travel. Sutton Place Hotels, for example, saw housekeeping opt-out rates increase over 125% in six months after launching a tree planting program tied to room stays, generating significant operational savings while contributing to over 85,000 trees planted. ### Financial Services Banks and fintech companies are embedding reforestation into their products, planting trees when customers open accounts, make payments, or hit savings goals. This appeals to younger demographics who actively seek out brands with environmental commitments. ## Getting Started With Reforestation for Your Business If you are ready to add reforestation to your business, here is how to get started: **Step 1: Define your trigger.** Decide what action will trigger a tree planting. For e-commerce, per-order or per-product are the most popular choices. For other businesses, consider tying it to sign-ups, renewals, or milestones. **Step 2: Choose a verified partner.** Look for technology-driven verification, transparent reporting, and a proven track record. [GoodAPI](https://apps.shopify.com/tree-planting) works with Veritree to provide verified, geolocated tree planting across projects in [Kenya](/blog/kenya-mangroves-shopify-impact/), [Madagascar](/tree-planting-madagascar/), and other regions worldwide. **Step 3: Set up the integration.** If you are on Shopify, the [GoodAPI app](https://apps.shopify.com/tree-planting) takes minutes to install. You can configure your planting trigger, customize your impact badge, and start planting trees with your very next order. For developers building custom integrations, GoodAPI also offers a [REST API](https://www.thegoodapi.com/blog/developer-guide-tree-planting-api/) that makes it easy to add tree planting to any application. **Step 4: Tell your customers.** Once you are planting trees, make sure your customers know about it. Add impact badges to your checkout page, include tree planting updates in your email campaigns, and create a dedicated impact page on your website. The research is clear: customers who see verified environmental impact at checkout convert at higher rates and come back more often. **Step 5: Track and iterate.** Monitor your impact dashboard, review the data, and look for ways to expand your program. Some businesses start with one tree per order and later add ocean plastic removal or per-product impact as they grow. ## The Bottom Line Reforestation for businesses is not a marketing gimmick. When done right, with verified planting, transparent reporting, and genuine commitment, it is one of the most effective ways to build customer trust, strengthen your brand, and contribute to real environmental recovery. The tools to get started are accessible, the costs are manageable, and the data shows clear returns. Whether you are running a Shopify store or building a SaaS platform, there has never been a better time to make reforestation part of how you do business. Ready to start planting? [Install GoodAPI on Shopify](https://apps.shopify.com/tree-planting) and plant your first tree in under five minutes. Or explore the [GoodAPI developer docs](https://www.thegoodapi.com/docs/api/) to build tree planting into your own application. --- # Plant a Tree API: A Developer's Complete Guide URL: https://www.thegoodapi.com/blog/plant-a-tree-api-developer-guide/ Description: Everything developers need to know about integrating a plant a tree API into any app or ecommerce store. Triggers, verification, pricing, and code patterns. Published: 2026-04-04 If you're a developer looking to add real environmental impact to your platform, integrating a plant a tree API is one of the most tangible and marketable things you can do. It's not complicated, and the business case is increasingly hard to ignore. Consumers spend roughly 9.7% more on sustainably produced goods, and sustainable products are growing 2.7 times faster than conventional ones. More to the point: your merchants, your users, and your stakeholders are actively looking for proof that the platforms they use are aligned with their values. This guide covers everything you need to know about how tree planting APIs work, what to look for when choosing one, and how to integrate one into your app or ecommerce store without friction. ## What Is a Plant a Tree API? A plant a tree API is a web service that lets your application trigger verified real-world reforestation events programmatically. When something happens in your system (a purchase completes, a subscription renews, a form is submitted), your code sends a request to the API, and the API provider arranges for trees to be planted at verified locations around the world. The best APIs do more than just log a request. They route your pledges to reputable reforestation projects, track the planted trees through their first critical years of growth, and return data you can use to show your customers exactly what their impact looks like. From a technical perspective, most tree planting APIs follow a familiar pattern: REST endpoints, API key authentication, JSON payloads, and webhook support. If you've worked with Stripe or Twilio, the integration model will feel instantly recognizable. ## How Tree Planting APIs Work The workflow behind a good plant a tree API has a few distinct stages, and understanding them helps you build a more transparent product. ### Trigger You define the event that initiates a tree planting action. Common triggers include: - A completed order in your ecommerce store - A new subscription or renewal - A customer milestone (100th order, anniversary, reward threshold) - A product review or user-generated action - A specific product variant being purchased Your code sends an API request when that trigger fires. The request typically includes the number of trees to plant, your API key, and any metadata you want to attach (like an order ID or customer reference). ### Routing and Project Matching The API provider takes your request and routes it to one of their verified reforestation projects. Quality providers work with established organizations to ensure the trees are planted in meaningful locations, from tropical rainforests to coastal mangroves, and that local communities are involved in the planting work. GoodAPI, for example, partners with Veritree, a verified reforestation organization with global projects. Trees planted through GoodAPI are tracked, geolocated, and supported through their critical early years of growth, which is the period when survival rates matter most. ### Verification and Reporting This is where the better APIs separate themselves from the crowd. Verification means that each tree is confirmed through geospatial data, photography, and independent site audits. Your users don't just get an email saying "a tree was planted." They get verifiable proof. On your end, the API should give you real-time data you can surface in your product: total trees planted, active project locations, species mix, and survival rates. This data is what transforms a sustainability feature from a checkbox into a genuine differentiator. ## What to Look For in a Tree Planting API Not all tree planting APIs are built the same. Here are the criteria that matter most for developers building production applications. ### Verified Impact Greenwashing is a real risk. An API that claims to plant trees without providing transparent verification is a liability, not a feature. Look for providers that partner with credible, independently audited reforestation organizations. Ask whether the trees are tracked after planting, and whether survival data is available. ### Developer Experience Good developer experience goes beyond clean documentation. Look for: - A test API key that functions identically to the production key but incurs no charges, so you can develop and test freely - Clear authentication (API key in headers is standard and easy) - Consistent, well-documented endpoints with example requests and responses - SDKs or code samples in common languages if you want to move fast - Sandbox environments that mirror production behavior accurately GoodAPI provides separate test and production API keys from the start, which means you can build and validate your integration completely before your first real tree is planted or your first invoice arrives. ### Flexible Trigger Support Your integration requirements might not be a simple "one tree per order." A good API should support: - Variable quantities (plant 5 trees for orders over $100) - Multiple trigger types within the same account - Per-product or per-variant configuration - Custom metadata to correlate API calls with your internal records ### Transparent Pricing Tree planting API pricing typically falls in the $0.40 to $1.00 per tree range. GoodAPI starts at $0.43 per tree with no upfront payment and monthly invoicing, which keeps costs predictable and eliminates the friction of pre-purchasing credits. Watch out for providers that obscure per-tree costs behind bundles or abstractions. You want to know exactly what you're paying and exactly what impact is being delivered. ### Customer-Facing Outputs If you're building this into a product your customers will see, the API should help you surface impact data in your UI. Look for: - Impact counters you can embed or query - Per-customer or per-order impact data - Certificate or proof-of-impact endpoints ## Integrating a Plant a Tree API: The Core Pattern The integration pattern for most tree planting APIs follows a consistent shape. Here's the logical flow, regardless of which API you choose. ### Step 1: Authenticate Register for an API key. Most providers give you two: one for testing and one for production. Store these as environment variables, never hardcoded in your source. ``` Authorization: Bearer YOUR_API_KEY Content-Type: application/json ``` ### Step 2: Define Your Trigger Identify the event in your system that should kick off a tree planting request. For ecommerce, this is almost always an order completion webhook or a post-payment callback. ### Step 3: Send the Request When your trigger fires, make a POST request to the tree planting endpoint. A typical payload looks like this: ```json { "quantity": 1, "metadata": { "order_id": "ORD-8842", "customer_email": "customer@example.com" } } ``` The API responds with a confirmation and a reference ID you can store against the order in your database. ### Step 4: Handle the Response Store the API response alongside your transaction record. This gives you a reliable audit trail and lets you surface impact data to your customers later without making additional API calls for historical records. ### Step 5: Surface the Impact This is the step many developers skip, and it's where most of the user value actually lives. Use the impact data returned by the API to update your order confirmation emails, customer dashboards, or post-purchase pages. Telling a customer "we planted a tree for your order, verified by Veritree, in a [Kenyan mangrove restoration project](/blog/kenya-mangroves-shopify-impact/)" is meaningfully different from saying nothing at all. ## Shopify Integration: The No-Code Path If you're building on Shopify, you don't need to write a single line of code to get started. GoodAPI's Shopify app installs in under two minutes and handles the entire tree planting workflow automatically. You configure your rules (trees per order, per product, per threshold), and the app takes care of the API calls, verification routing, and customer impact data. It's built on the same infrastructure as the REST API, so you get the same verified impact and the same transparency. [Install GoodAPI on the Shopify App Store](https://apps.shopify.com/tree-planting) if you want to get started without writing any code first. You can always switch to the REST API later if you need more control. ## Beyond Shopify: REST API for Custom Platforms For platforms outside Shopify (or for Shopify stores that want deeper custom behavior), the REST API gives you full control. The GoodAPI API works with any platform that can make HTTP requests, which means it's compatible with any language or framework: Node.js, Python, Ruby, PHP, Go, and anything else in your stack. The [GoodAPI developer documentation](https://www.thegoodapi.com/docs/api) covers authentication, endpoint references, test key setup, and common integration patterns. The [how-it-works page](https://www.thegoodapi.com/how-it-works) gives a good overview of the end-to-end process from trigger to verified impact if you want to explain it to stakeholders or product managers before you start building. ## Why Verification Matters More Than It Used To The "plant a tree" feature is getting more common, and that's mostly a good thing. But as more platforms add sustainability features, consumers and regulators are getting more discerning about what those claims actually mean. In the EU, the Green Claims Directive is moving toward enforceable standards for environmental marketing. In the US, the FTC has updated its Green Guides to address unsubstantiated eco-claims. If your platform plants trees and communicates that to users, you want to be able to back it up with data. This is why the verification layer isn't optional. Trees that are geolocated, photographed, and tracked through their first years with survival data attached are in a completely different category from trees that are "planted" with no auditable record. Building on an API that provides this verification from the start protects your platform and gives your users something they can actually trust. ## Choosing the Right API for Your Use Case If you want a starting point for evaluating your options, the [GoodAPI comparison of tree planting APIs](https://www.thegoodapi.com/blog/best-tree-planting-api/) covers the major providers in detail, including pricing, verification approaches, and developer tooling. For most ecommerce and SaaS developers, the key decision factors are: - Does the provider verify impact independently, with named partners? - Is there a test environment that works exactly like production? - Is pricing per-tree and transparent, without credit bundles or minimums? - Does the API return data you can surface to your users? GoodAPI checks each of these. Trees are verified through Veritree. Test keys work identically to production keys. Pricing starts at $0.43 per tree with monthly invoicing and no upfront payment. And impact data is available at the account, project, and order level for building customer-facing features. ## Getting Started If you're ready to add a plant a tree API to your platform, the fastest path is to grab an API key from [www.thegoodapi.com/docs/api](https://www.thegoodapi.com/docs/api) and run a test request in your preferred HTTP client. For Shopify merchants, the GoodAPI app at [apps.shopify.com/tree-planting](https://apps.shopify.com/tree-planting) gets you set up in minutes with no coding required. Either way, you're building something that your customers can see, verify, and trust. In a market where sustainability claims are increasingly scrutinized, that's worth getting right. --- # Plant a Tree With Every Order on Shopify URL: https://www.thegoodapi.com/blog/plant-tree-every-order-guide/ Description: Learn how to plant a tree with every order on your Shopify store. Step-by-step setup guide covering apps, costs, and real business results. Published: 2026-04-03 Your customers care about the planet. More than 80% of global consumers say they will pay more for sustainable products, and PwC research puts the average premium at 9.7%. For Shopify merchants, that creates a straightforward opportunity: plant a tree with every order, show your customers the proof, and turn environmental action into a genuine competitive advantage. This guide walks you through everything you need to know. How automatic tree planting works, what it costs, how to set it up on Shopify in under ten minutes, and what kind of results real merchants are seeing. ## Why Plant a Tree With Every Order? The short answer: because it works, and because customers notice. Sustainability-marketed products now represent nearly 25% of consumer retail spending. That number keeps growing, especially among millennials and Gen Z shoppers, where roughly 60% say they will pay extra for brands that take environmental action seriously. But this is not just about goodwill. Planting a tree with every order gives you something tangible to communicate. It is not a vague "we care about the environment" claim. It is a specific, verifiable commitment tied to every transaction your store processes. That specificity matters because shoppers are increasingly skeptical of greenwashing. They want receipts, not promises. Here is what merchants typically see after launching a tree planting program: - Higher conversion rates at checkout, because the environmental contribution removes friction for sustainability-conscious buyers - Increased average order value, since customers feel better about spending when their purchase has a positive side effect - Stronger repeat purchase rates, because the cumulative impact (your forest grows with every order) creates an emotional connection to the brand - More social sharing, as customers receive tree planting certificates they actually want to post about ## How Automatic Tree Planting Works The mechanics are simpler than most merchants expect. You install an app on your Shopify store, configure your planting rules, and the app handles everything else behind the scenes. When a customer completes a purchase, the app detects the transaction and triggers a tree planting pledge with a verified reforestation partner. That partner coordinates with local planting teams on the ground, typically in regions like [Madagascar](/tree-planting-madagascar/), [Kenya](/blog/kenya-mangroves-shopify-impact/), Mozambique, or Indonesia where reforestation has the highest ecological impact. Each tree is tracked individually. Depending on the app and partner, trees are geolocated, photographed, and monitored through their critical first years of growth. This verification chain is what separates legitimate tree planting from the kind of vague offsetting that earns brands a greenwashing label. The whole process is invisible to the customer at checkout. What they do see is a badge or widget on your product pages or cart confirming that their order will plant a tree, plus a certificate or impact dashboard after purchase. ## What Does It Cost? Tree planting costs vary by app and by the reforestation project you choose. Here is a realistic breakdown of what Shopify merchants can expect: Most tree planting apps charge somewhere between $0.10 and $0.80 per tree. With [GoodAPI](https://apps.shopify.com/tree-planting), trees start at $0.43 each, with the first 50 trees free so you can test the program without any upfront cost. Some apps bundle tree planting with other impact types like plastic removal or carbon offsets, which can increase the per-order cost slightly but broadens your sustainability story. For a store processing 500 orders per month at $0.43 per tree, that is roughly $215 per month. Compare that to the cost of a single paid ad campaign and the math becomes pretty clear. You are getting a permanent brand asset (your growing forest), a conversion lever, and customer loyalty fuel for less than the price of a few hundred clicks. There are no contracts or minimums with most apps. You pay per tree planted, which means the cost scales directly with your revenue. When sales go up, your impact goes up. When things are slow, your costs stay low. ## How to Set It Up on Shopify (Step by Step) Setting up tree planting on your Shopify store takes about ten minutes. Here is the process using GoodAPI as an example: ### Step 1: Install the App Head to the [Shopify App Store](https://apps.shopify.com/tree-planting) and install GoodAPI. The app requests standard Shopify permissions to read your orders and display widgets on your storefront. ### Step 2: Choose Your Planting Trigger Decide how you want trees planted. The most common options are: - **One tree per order** (the simplest and most popular setup) - **One tree per product sold** (scales impact with order size) - **One tree per dollar threshold** (for example, plant a tree for every $50 spent) - **Custom rules via Shopify Flow** (for advanced merchants who want to tie planting to specific products, collections, or customer segments) Most merchants start with one tree per order and adjust later as they see results. ### Step 3: Pick Your Reforestation Project GoodAPI partners with [Veritree](https://www.veritree.com), a verified reforestation organization with projects across multiple continents. You can choose where your trees are planted, whether that is [mangrove restoration in Kenya](/blog/kenya-mangroves-shopify-impact/), native forest recovery in [Madagascar](/tree-planting-madagascar/), or community-led planting in Mozambique. Every tree planted through GoodAPI is tracked, geolocated, and supported through its critical first years of growth. This is the verification layer that makes your sustainability claims credible. ### Step 4: Add the Impact Widget to Your Store GoodAPI provides customizable badges and widgets that display on your product pages, cart, and checkout. These show customers that their purchase will plant a tree before they complete the transaction. The widgets support multiple languages and currencies, so they work for international stores out of the box. ### Step 5: Launch and Share Activate your tree planting program and start telling your customers about it. Add a mention to your order confirmation emails, post about it on social media, and consider adding a dedicated impact page to your store (GoodAPI provides a real-time dashboard you can link to). That is it. Orders start flowing, trees start growing, and your customers get certificates showing their individual contribution. ## Choosing the Right App There are several tree planting apps on the Shopify App Store. Here is what to look for when choosing one: **Verification and transparency** should be your top priority. Ask whether the app's reforestation partner provides geolocated, individually tracked trees with photographic evidence. If the answer is vague, move on. GoodAPI's partnership with Veritree provides this level of verification by default. **Pricing per tree** matters, but do not just pick the cheapest option. A $0.09 tree that cannot be verified is worse than a $0.43 tree with full tracking. Cheap trees often come from projects with poor survival rates or no monitoring, which means your "planted" trees may not actually survive. **Flexibility** is important for growing stores. Can you change your planting trigger later? Can you add plastic removal or other impact types? Can you use the API to integrate tree planting into custom workflows? **Social proof** counts. GoodAPI has over 200 five-star reviews on the Shopify App Store, making it one of the most trusted sustainability apps available. Reviews from other merchants tell you a lot about the day-to-day experience of running the app. **Setup time** should be minimal. If an app takes more than 15 minutes to configure, something is wrong. GoodAPI's setup takes under ten minutes for most stores. ## Making It Work for Your Brand Planting a tree with every order is only valuable if your customers know about it. Here are a few ways to make the most of your program: **Lead with specifics, not slogans.** Instead of saying "we are a sustainable brand," say "every order plants a verified tree in Madagascar." Specificity builds trust and gives customers something concrete to share. **Show the numbers.** Use your impact dashboard to display your running total. "We have planted 4,200 trees this year" is a powerful statement on your homepage or in your email footer. GoodAPI provides a real-time counter you can embed on your store. **Include it in your checkout flow.** The pre-purchase badge is one of the most effective conversion tools. When a customer sees "your order will plant a tree" right before they hit the buy button, it reinforces their decision to purchase. **Send certificates.** GoodAPI generates unique certificates for each pledge. Include these in your post-purchase emails. Customers share these on social media, which gives you free, authentic brand advocacy. **Connect it to your product story.** If you sell outdoor gear, the tree planting connection is obvious. But even if you sell candles or pet food, the message works: "we believe every business should leave the world better than it found it." ## Real Results From Shopify Merchants Merchants who add tree planting to their stores consistently report measurable improvements. Conversion rate increases of 8 to 12% at checkout are common, driven by the positive reinforcement of seeing an environmental contribution at the point of purchase. Average order values tend to climb as well, because customers feel more comfortable spending when part of the purchase goes toward something meaningful. The retention angle is often underestimated. Customers who buy from a brand that plants trees are more likely to come back, partly because of the emotional connection but also because the cumulative impact creates a reason to return. Your brand is not just selling products. It is building a forest, and your customers are part of that story. ## Getting Started Today If you have been thinking about adding sustainability to your Shopify store, tree planting is the simplest place to start. It costs less than most marketing channels, it takes minutes to set up, and it gives you a genuine, verifiable story to tell your customers. [Install GoodAPI from the Shopify App Store](https://apps.shopify.com/tree-planting) and plant your first tree today. Your first 50 trees are free, so there is zero risk in trying it out. Every order can plant a tree. The only question is whether your store is going to be part of that movement. --- # Tree Planted Per Product: A Shopify Guide URL: https://www.thegoodapi.com/blog/tree-planted-per-product/ Description: Learn how to assign tree planting impact at the product level on Shopify, so every item in your store plants the right number of trees. Published: 2026-04-02 ## Why Per-Product Tree Planting Beats Per-Order Defaults Most Shopify merchants start their sustainability journey with a simple setup: plant one tree for every order. It works, it feels good, and customers appreciate it. But as your catalog grows, you'll notice a problem. A customer buying a $12 phone case triggers the same impact as someone purchasing a $400 jacket. The math doesn't feel right, and your margins don't either. Per-product tree planting fixes this by letting you assign impact at the item level. A premium product plants five trees. An entry-level accessory plants one. A limited-edition collection plants ten. You control the story, the cost, and the customer experience for each SKU in your store. This approach is gaining traction for good reason. Research shows that 58% of consumers are willing to pay more for sustainable products, with shoppers spending roughly 9.7% extra on average for sustainably produced goods. When you can show a customer exactly what their specific purchase accomplished, not just a generic "we plant trees," you tap into that willingness in a much more targeted way. ## How Per-Product Impact Works in Practice The concept is straightforward. Instead of applying a blanket rule across your entire store, you define tree planting rules at the product or variant level. Here's what that looks like for different types of stores. ### Fashion and Apparel A clothing brand might set up rules like this: t-shirts plant one tree each, denim products plant three trees (reflecting their higher environmental footprint from production), and outerwear plants five trees. This approach lets you match your sustainability commitment to the actual environmental cost of manufacturing each item category. ### Beauty and Personal Care A skincare brand could tie tree planting to product size. Travel-size items plant one tree, full-size products plant two, and bundles or gift sets plant five. Customers see the impact scale with their purchase, which reinforces the value of buying more. ### Home Goods and Furniture For higher-ticket items, the numbers can be more ambitious. A candle plants one tree, a set of dinnerware plants ten, and a piece of furniture plants twenty-five. The impact feels proportional to the purchase, which matters when customers are spending hundreds of dollars. ### Food and Beverage A coffee roaster might plant one tree per bag of single-origin beans, two trees per subscription box, and three trees per gift pack. This creates natural incentives for customers to choose higher-impact options. ## Setting Up Per-Product Tree Planting on Shopify Getting started with product-level impact on Shopify is simpler than you might expect. With [GoodAPI](https://apps.shopify.com/tree-planting), you can configure per-product rules without touching code. ### Step 1: Install and Connect Head to the [Shopify App Store](https://apps.shopify.com/tree-planting) and install GoodAPI. The setup takes about two minutes, and you'll have access to your dashboard immediately. ### Step 2: Choose Your Trigger Type In the GoodAPI dashboard, select "per product" as your impact trigger instead of "per order." This tells the app to look at individual line items in each order rather than treating every checkout as a single event. ### Step 3: Assign Impact Rules You can assign tree planting quantities based on several criteria. Product collections are the simplest approach: set every item in your "Premium" collection to plant five trees, and every item in your "Essentials" collection to plant one. If you need more granularity, you can use product tags, which lets you control impact at the variant level. Tag a product with a specific value, and GoodAPI picks it up automatically. ### Step 4: Verify with a Test Order Place a test order containing products from different collections or with different tags. Check your GoodAPI dashboard to confirm the right number of trees was triggered for each item. This step takes thirty seconds and saves headaches later. ### Step 5: Tell Your Customers This is where per-product impact really shines. Update your product pages to show the specific impact of each item. "This jacket plants 5 verified trees" is far more compelling than a generic badge in the footer saying "we plant trees." GoodAPI provides widgets you can embed directly on product pages. ## Going Deeper with Shopify Flow For merchants who want more sophisticated logic, [Shopify Flow](https://thegoodapi.com/blog/shopify-flow-plant-trees-automation/) opens up possibilities that go well beyond basic per-product rules. You can create conditional workflows. For example: if the order total exceeds $200 and contains a product from the "Eco Collection," plant an extra ten trees on top of the per-product amounts. Or if a customer is making their third purchase, double the tree count as a loyalty reward. Flow also supports variant-level triggers. If you sell a product in multiple sizes, you can plant different numbers of trees depending on which variant the customer chose. A large bag of coffee beans might plant three trees while a small bag plants one. This flexibility means your sustainability program can evolve alongside your business without requiring a developer every time you want to adjust the rules. ## The Business Case for Product-Level Impact Assigning trees per product isn't just a feel-good move. It creates tangible business advantages that show up in your analytics. ### Higher Conversion Rates Research from Amazon's marketplace shows that sustainability-labeled products saw a 13-14% increase in demand within eight weeks of adding visible impact labels. When you attach a specific tree count to each product, you're creating that same kind of decision-stage nudge. Sustainability-marketed products grow 2.7 times faster than conventional alternatives across categories. ### Better Margins on Premium Products When a premium product comes with a premium sustainability story, customers accept the price more readily. If your $120 hoodie plants ten verified trees while a competitor's $100 hoodie has no environmental commitment, the price difference is justified by something tangible. A study found that product-level sustainability scores influence buying decisions as strongly as traditional star ratings. ### Differentiation That Competitors Can't Easily Copy Any store can add a generic "we plant trees" badge. But when you've built per-product rules tied to your specific catalog, with specific numbers and specific project pages your customers can visit, that's a sustainability story that's uniquely yours. ### Reduced Greenwashing Risk Generic sustainability claims are increasingly scrutinized. The EU's Green Claims Directive and similar regulations are pushing brands toward specificity. Per-product impact tracking gives you verifiable, auditable data. Through GoodAPI, every tree is planted via [Veritree](https://thegoodapi.com/our-projects/), a verified reforestation organization with global projects. Trees are tracked, geolocated, and supported through their critical first years of growth. That level of transparency protects your brand from greenwashing accusations. ## What About Variants? Getting Granular Some merchants need impact rules that go beyond the product level, all the way down to individual variants. Think of a furniture store where the same table comes in bamboo (sustainable material) and standard hardwood. The bamboo version might warrant more trees because you want to reward customers for choosing the sustainable option. With GoodAPI's API and Shopify Flow integration, you can build variant-level logic using product tags or metafields. Here's one approach that works well: Tag each variant with a value like `trees-5` or `trees-10`. Then set up a Shopify Flow workflow that reads the tag on each line item and triggers the appropriate number of trees through GoodAPI. This keeps everything manageable in your Shopify admin without requiring custom code. For developers building custom storefronts or headless commerce setups, GoodAPI's [REST API](https://thegoodapi.com/blog/developer-guide-tree-planting-api/) provides endpoints to trigger specific tree counts programmatically. You can call the API directly from your checkout flow, passing in whatever product or variant data you need to determine the right impact level. ## Common Questions About Per-Product Tree Planting **Does per-product cost more than per-order?** Not per tree. The cost of planting a tree through GoodAPI is the same regardless of how the planting is triggered. Per-product setups do tend to result in more total trees planted (since a multi-item order triggers multiple plantings), which means higher total cost. But that cost scales with your revenue, so your margins stay consistent if you set the rules thoughtfully. **Can I set different impacts for different collections?** Yes. GoodAPI supports collection-based rules, so you can assign different tree counts to different product groupings. This is the easiest way to get started if you don't need variant-level precision. **How do I show the impact on my product pages?** GoodAPI provides embeddable widgets that display the tree count on individual product pages. You can also use the API to pull impact data into custom Liquid templates or headless frontends. The key is making the impact visible before checkout, not after. **What happens with refunds?** GoodAPI tracks trees at the order level, so you maintain accurate records even when refunds occur. Your dashboard gives you a clear picture of net impact over time. **Can I combine per-product and per-order rules?** Yes. Some merchants set a baseline of one tree per order, then add extra trees for specific products. This ensures every customer gets at least some impact while rewarding bigger or premium purchases with more. ## Getting Started Today The gap between "we support sustainability" and "this specific product plants exactly five verified trees in [Madagascar](/tree-planting-madagascar/)" is the gap between a marketing claim and a genuine program. Per-product tree planting closes that gap. If you're already using GoodAPI with per-order rules, switching to per-product takes about fifteen minutes. If you're starting fresh, you can be live within an afternoon. [Install GoodAPI from the Shopify App Store](https://apps.shopify.com/tree-planting) and start assigning real, verified impact to every product in your catalog. Your customers will notice the difference, and so will your conversion rates. For more on building a credible sustainability program, check out our guides on [verified tree planting](https://thegoodapi.com/blog/verified-tree-planting-company-guide/) and [avoiding greenwashing in ecommerce](https://thegoodapi.com/blog/avoid-greenwashing-ecommerce/). --- # Top Checkout Apps That Plant Trees Per Order (2026) URL: https://www.thegoodapi.com/blog/checkout-apps-plant-trees-per-order/ Description: We ranked the top Shopify checkout apps that plant a tree per order by price, verification, and setup time. See which app wins for 2026. Published: 2026-03-31 There's a moment, right before a customer clicks "Complete order," where your store gets one last chance to say something meaningful. A growing number of Shopify merchants have found that placing a sustainability message at that exact spot, specifically a clear statement that a tree will be planted with this order, can meaningfully lift both conversions and customer loyalty. But not all checkout apps that plant trees per order are built the same. Some cost twice as much per tree. Some only work on older checkout versions. Others bolt on plastic removal or carbon offsets alongside reforestation. Picking the right one for your store means understanding what each app actually does, what it costs, and where it shows up in your customer's journey. This guide compares the top Shopify checkout apps that plant trees per order in 2026, so you can make an informed choice rather than just installing whatever ranks first in the App Store. --- ## What "Checkout App" Actually Means Here When merchants search for "checkout apps that plant trees per order," they're usually looking for something specific: an app that triggers an environmental action automatically when a customer completes a purchase, and that shows the customer what just happened before or after they pay. This is different from a marketing banner on your homepage or a footnote in your order confirmation email. A true checkout app for sustainability: - Triggers automatically on each completed order (no customer opt-in required) - Displays the impact to the customer at or near the point of payment - Provides a back-end dashboard so merchants can track cumulative impact - Handles the tree planting logistics, including verification and reporting, through a partner organization The "per order" model is the most popular trigger type, and for good reason. It keeps costs predictable regardless of how many items are in the cart. One order equals one tree, full stop. --- ## Why Checkout Placement Converts Before diving into the comparison, it's worth understanding why putting sustainability messaging at checkout works better than putting it elsewhere. The checkout step is the highest-intent moment in any customer's journey. They've already decided to buy. The question is whether they feel good about it. Sustainability messaging at this stage functions as both a trust signal and a last-mile conversion nudge for customers who were on the fence. Greenspark, one of the leading apps in this space, has publicly cited a 12% increase in checkout conversion for merchants using their sustainability widget. The mechanism makes sense: a customer who might have hesitated over whether to complete a purchase is given one more reason to follow through. Beyond checkout conversion, impact messaging at this touchpoint tends to improve repeat purchase rates. Customers who feel good about the environmental impact of their first order are more likely to come back. --- ## The Main Checkout Apps That Plant Trees Per Order Here is a comparison of the leading options available on the Shopify App Store in 2026. ### GoodAPI [GoodAPI](https://www.thegoodapi.com/shopify/) is built specifically for Shopify merchants who want to add tree planting and plastic removal to their checkout flow without any custom code. Setup takes under two minutes through the Shopify App Store. GoodAPI plants trees at $0.43 per tree through Veritree, a verified reforestation organization with global projects. Trees planted through GoodAPI are tracked, geolocated, and supported through their critical first years of growth, so your impact is real and auditable. You can view the active projects at [GoodAPI's project pages](/our-projects/). **Key features:** - Per-order, per-product, or per-revenue triggers (your choice) - Trees plus ocean plastic removal, which sets GoodAPI apart from most competitors - Customizable badge and messaging that appears at checkout and in order confirmations - Real-time impact dashboard showing cumulative trees planted and plastic removed - API access for developers who want to connect impact to other systems (see [how it works](/how-it-works/)) **Price:** $0.43 per tree. No monthly platform fee. **Best for:** Merchants who want a low-cost, low-friction checkout app that handles both reforestation and plastic removal, and who want API access as their impact program scales. [Install GoodAPI on the Shopify App Store](https://apps.shopify.com/tree-planting) --- ### Greenspark Greenspark is the highest-rated tree planting app in the Shopify App Store, with a 5.0-star rating across 60+ reviews. The app is notably more feature-rich than most alternatives, offering trees, plastic rescue, carbon offsets, and even bee protection as impact actions. The checkout widget is highly customizable, with QR codes, impact certificates, and real-time counters. Greenspark supports per-order, per-product, per-revenue, per-subscriber, and per-review triggers, giving merchants granular control over when and how impact is generated. **Price:** Custom pricing, typically higher per unit than GoodAPI. Free trial available. **Best for:** Merchants who want maximum configurability and the most polished widget design, and who are comfortable paying a premium for it. --- ### Ecologi Ecologi is a UK-based carbon and tree planting platform with a Shopify app that makes it easy to plant trees on a per-order basis. Trees cost approximately $0.80 per tree, which is higher than GoodAPI, but Ecologi also includes optional carbon offset purchases alongside reforestation. The app offers a free tier for your first 50 trees, which makes it a low-risk way to test whether tree planting at checkout resonates with your customers before committing. **Price:** Around $0.80 per tree, plus optional carbon offset costs. **Best for:** Merchants who want to pair tree planting with carbon offsets, and who are already familiar with the Ecologi platform from their corporate sustainability work. --- ### One Tree Planted One Tree Planted is a well-known nonprofit (US 501c3) that has a Shopify app offering a customer opt-in model. Rather than the merchant automatically planting a tree per order, the app presents customers with the option to add a tree to their purchase for $1.00. The opt-in model is different from the "automatic per order" model that most merchants are looking for, and the $1.00 price point per tree is at the higher end of the market. However, the brand recognition of One Tree Planted carries trust value with customers who know the organization. **Price:** $1.00 per tree (customer opt-in adds it to the order). **Best for:** Merchants whose customers are already familiar with One Tree Planted as a brand, or who prefer a customer-choice model over automatic tree planting. --- ### Reforesta and Treepoints Two smaller apps worth mentioning: Reforesta charges approximately $0.30 per tree, making it the lowest-cost option in this comparison. Treepoints starts at $0.25 per tree and offers the first 100 trees free as a trial. Neither app has the feature depth, verification rigor, or App Store credibility of GoodAPI or Greenspark, but they can be useful for merchants who are primarily cost-sensitive and want to test the concept before scaling. --- ## Per Order vs. Per Product vs. Per Revenue: Which Trigger Is Right for You? The trigger model you choose changes both your costs and your messaging. **Per order** is the simplest and most popular. One order equals one tree, regardless of how many items are in the cart. This keeps costs predictable, makes the customer message clear ("a tree is planted with every purchase"), and protects your margins on multi-item orders. If a customer buys five items in one order, you still plant one tree. **Per product** scales impact with volume. If you sell 500 units of a single product in a week, you plant 500 trees. This works well for high-volume, single-SKU brands. The downside is cost unpredictability: a customer who buys ten items in one order could trigger ten trees, which at $0.43 each adds up to $4.30 on a single transaction. **Per revenue** ties your impact spend to your margin rather than your order count. For example, you plant one tree per $50 in revenue, or allocate 0.5% of revenue to plastic removal. This is the most margin-safe model and scales naturally with business growth, but it requires a small amount of configuration and is harder to communicate to customers in simple messaging. For most Shopify stores, starting with a per-order trigger is the right call. It is the easiest to message, the easiest to budget for, and the most predictable from a cost perspective. --- ## What Happens to the Trees? One of the most common concerns merchants raise is whether the trees are real. Not all tree planting programs deliver what they promise. GoodAPI's program through Veritree requires that each planted tree is geolocated, photographed, and monitored through the critical first years of growth when sapling survival rates are lowest. Impact data flows back to the merchant's dashboard, so you can show customers not just that trees were planted, but where they are and how they're growing. Projects are active in [Kenya](/blog/kenya-mangroves-shopify-impact/), [Madagascar](/tree-planting-madagascar/), Brazil, and other regions globally, visible at [GoodAPI's project pages](/our-projects/). Greenspark and Ecologi both have verification processes as well, though the specifics of their monitoring programs differ. When evaluating any checkout app that plants trees per order, ask the vendor: where specifically are the trees planted, how is survival monitored, and what reporting can I show my customers? --- ## How to Choose Here is the short version for merchants who need to pick one today. If you want the **lowest cost plus plastic removal**, GoodAPI at $0.43 per tree is the clear choice. It is the only app in this comparison that bundles ocean plastic removal alongside reforestation at a competitive per-tree price. If you want the **most advanced widget and the highest App Store rating**, Greenspark delivers more customization options and has a proven track record with enterprise merchants. If you want to **start for free**, both Ecologi (first 50 trees) and Treepoints (first 100 trees) offer no-cost trials. If your customers already **know and trust the nonprofit brand**, One Tree Planted's opt-in model can leverage that recognition at checkout. For most Shopify merchants who are setting up tree planting at checkout for the first time, GoodAPI's combination of low cost, plastic removal, Veritree verification, and under-two-minute setup makes it the easiest starting point. --- ## Getting Started Adding a tree planting action to your checkout is one of the few marketing investments that costs less than a dollar per transaction and delivers measurable impact in both customer sentiment and conversion rates. The research consistently shows that sustainability messaging at the point of purchase improves both conversion and repeat purchase behavior. The app you choose matters less than actually starting. Pick one that fits your cost tolerance and technical setup, install it, and then watch how your customers respond in the first 30 days. You can always switch or add more impact actions as your program grows. Ready to add tree planting and plastic removal to your Shopify checkout? [Install GoodAPI from the Shopify App Store](https://apps.shopify.com/tree-planting) and your first trees can be planting within minutes. For more on how verified reforestation programs work and what to look for in a partner, see our [reforestation for businesses guide](/blog/reforestation-for-businesses-guide/) and our guide to [real tree planting for businesses](/blog/real-tree-planting-for-businesses/). --- # Are Tree Planting Schemes Worth It for Ecommerce? URL: https://www.thegoodapi.com/blog/are-tree-planting-schemes-worth-it/ Description: An honest look at tree planting schemes for ecommerce merchants: what works, what's greenwashing, and how to get real ROI from environmental action. Published: 2026-03-30 If you've been in ecommerce long enough, you've probably asked this question. Tree planting sounds great on a marketing brief, but is it actually worth the cost? Does it move the needle on conversion rates and customer loyalty, or does it just make you feel better while your competitors win on price? The honest answer is: it depends. Not all tree planting schemes are created equal, and some are genuinely not worth doing. But the right approach, with the right partner and proper verification, can deliver measurable business results and real environmental impact. This post breaks down exactly what separates a scheme worth your money from one that isn't. ## The Valid Criticisms (And Why They Matter) Let's start with the skepticism, because it's justified. Over the past few years, tree planting has attracted serious criticism from environmental researchers and journalists, and much of it is fair. **Poor survival rates.** Many tree planting programs boast impressive headline numbers but quietly ignore how many seedlings actually survive. Young trees are vulnerable. They face competition for light and nutrients, unpredictable weather, disease, and a lack of aftercare. If an organization plants 100,000 trees but only 40,000 survive their first two years, the real impact is less than half what was advertised. You'd never know unless you asked. **Monoculture plantations.** Some programs don't plant forests. They plant tree farms. Fast-growing single-species plantations are cheap to establish and easy to count, but they don't provide meaningful biodiversity, soil restoration, or carbon sequestration compared to real mixed-species reforestation. "We planted 10,000 trees" can mean very different things depending on what's in the ground. **No aftercare.** The "plant and go" model is the norm for cheaper schemes. Trees are planted for a photo, and then the organization moves on. Without investment in the critical first years of growth, failure rates climb dramatically. **Offsetting without reducing.** Perhaps the most valid criticism of all. If a business plants trees purely to offset emissions it has no intention of reducing, that's not sustainability. It's buying environmental credibility it hasn't earned. These are real problems. And they're exactly why not every tree planting scheme is worth your investment. ## Why It Can Be Worth It When Done Right Here's where the picture changes. The question isn't whether tree planting in general is worth it. The question is whether *verified* tree planting, done with credible partners and genuine transparency, can deliver value for an ecommerce business. The consumer data is compelling. According to PwC's 2024 Voice of the Consumer survey, shoppers are willing to pay a 9.7% premium for products from brands that take sustainability seriously. A NielsenIQ study found that 78% of U.S. consumers say a sustainable lifestyle is important to them, and more than 60% are willing to pay more for products from sustainable brands. Among younger shoppers, 73% of Gen Z are willing to pay a 10% premium for sustainable items. These aren't just survey responses. They show up in real ecommerce metrics. Merchants who integrate tree planting into the customer journey consistently report positive effects: higher average order values, stronger repeat purchase rates, and better brand sentiment in reviews and social content. The loyalty angle is particularly strong. 71% of U.S. adults say they're more loyal to companies that take an active role in protecting the environment. Environmental action isn't just about acquiring new customers. It's a retention play, and retention is where the real money is in ecommerce. ## What Makes a Tree Planting Scheme Actually Worth It If you're going to invest in tree planting for your store, here's what to look for. These criteria separate schemes with genuine impact from those that are effectively marketing spend with no environmental return. **Verified planting with real data.** You need to be able to see the trees. The best programs use ground-level data collection: geolocated coordinates, species information, survival tracking, and photos from the project sites. Anything less than this level of transparency should raise questions. **Species diversity and ecosystem restoration.** Look for programs that plant native, mixed-species forests rather than monoculture plantations. Restored ecosystems provide far more value per tree: carbon sequestration, soil health, water retention, and habitat for native wildlife. **Aftercare commitment.** Trees planted through reputable programs are monitored and supported through their most vulnerable years. Ask partners directly: what happens to the trees after planting? If the answer is vague, that's a red flag. **Community involvement.** The strongest reforestation projects involve local communities as stewards of the land. This creates long-term accountability and ensures the project continues to generate social and environmental returns for years. **Third-party verification.** Ideally, impact data is independently verified and published in a way that's auditable. Some programs now publish data to a public blockchain, making the impact record tamper-proof and transparent. ## How GoodAPI Approaches This GoodAPI's tree planting is powered by Veritree, a verified reforestation organization with global projects in some of the world's most ecologically significant regions, including [Madagascar](/blog/madagascar-tree-planting-project/) and [Kenya's coastal mangroves](/blog/kenya-mangroves-shopify-impact/). Veritree has helped plant and verify over 113 million trees, and its technology platform does something most programs can't: it provides real-time ground-level data on every tree planted. When a Shopify merchant installs the GoodAPI app and configures a "tree per order" or "tree per product" trigger, each planting through GoodAPI is tracked, geolocated, and photographed. Merchants get access to impact dashboards that show where their trees are, what species are being planted, and how the project is progressing over time. Trees are supported through their critical first years of growth, not just planted and forgotten. This matters for two reasons. First, it's real environmental impact, not a token gesture. Second, it gives merchants the verified evidence they need to communicate their impact honestly to customers. In an era of justified consumer skepticism around green claims, transparency is the difference between trust and backlash. GoodAPI also supports ocean plastic removal alongside tree planting, which gives merchants a second credible environmental action to communicate. For brands that want to offer a more complete environmental story to customers, this combination is a meaningful differentiator. ## The Business Case, Plainly Stated Let's get concrete. If you're running a Shopify store and considering adding tree planting at checkout, here's what the math looks like. Through GoodAPI, a tree planted in projects like Madagascar or Kenya costs around $0.35 to $0.43 per tree depending on project and volume. For a store doing 500 orders a month, planting one tree per order costs in the range of $175 to $215 per month. That's a line item, not a budget crisis. The return on that spend comes from multiple directions: higher checkout conversion from customers who respond to environmental messaging, stronger retention from customers who feel a genuine connection to the brand's values, and brand differentiation in a market where sustainable ecommerce is increasingly table stakes for certain customer segments. The question isn't really "is tree planting worth it?" The question is whether you want to build a brand that customers trust and return to, or one that competes purely on price and margin. ## The Verdict Tree planting schemes are not all worth it. Many of them aren't. But that's a reason to be selective, not to dismiss the category entirely. If you choose a scheme with verified impact, species-diverse planting, aftercare commitment, and genuine transparency, you're not buying a marketing stunt. You're making a real environmental investment that also happens to make good business sense. The consumer demand for this kind of accountability is real and growing. The merchants who get ahead of it now, with credible programs they can stand behind, will be better positioned than those who either ignore the trend or pick the cheapest option and hope no one looks closely. If you're ready to add verified tree planting to your Shopify store without the guesswork, [GoodAPI is free to install](https://apps.shopify.com/tree-planting). You set the trigger, we handle the rest, and Veritree verifies every tree. --- # Ocean Plastic Removal for Businesses URL: https://www.thegoodapi.com/blog/ocean-plastic-removal-for-businesses/ Description: Learn how to add ocean plastic removal to your checkout. Help clean the ocean with every sale using GoodAPI's verified plastic removal programme. Published: 2026-03-28 Every year, roughly 30 million tons of plastic enter the world's oceans. That is not a typo. Thirty million tons. And while large-scale cleanup operations like The Ocean Cleanup have become more effective (pulling a record 25 million kilograms from global waters in 2025 alone), the pace of plastic entering the ocean still far outstrips the pace of removal. For businesses, this is not just an environmental problem to watch from a distance. Ocean plastic pollution costs the global economy an estimated $19 billion annually. Consumers are paying attention. Legislation is catching up. And the brands that act now will have a meaningful head start over those that wait. The good news: adding ocean plastic removal to your business model is now genuinely straightforward, affordable, and verifiable. Here is how it works. ## What Is Ocean-Bound Plastic Removal? Before diving into implementation, it helps to understand the terminology. "Ocean-bound plastic" refers to plastic waste that has not yet entered the ocean but is at serious risk of doing so, typically within 50 kilometres of a coastline or waterway in a region without adequate waste infrastructure. Removing ocean-bound plastic is considered especially high-impact because you intercept it before it breaks down into microplastics, before it enters marine food chains, and before it becomes exponentially harder to recover. It is far more efficient, kilogram for kilogram, than trying to scoop floating plastic from open water. Most verified plastic removal programmes for businesses focus on this intercept model. They work with communities in coastal areas in countries like the Philippines and Indonesia, paying local collectors to gather plastic waste before it reaches the sea, then routing it to recycling or safe disposal facilities. ## Why Businesses Are Adding Plastic Removal Now The business case has never been clearer. The UN Global Plastics Treaty, finalised in late 2025, creates legally binding obligations around plastic pollution across the entire product lifecycle. Regulatory pressure is increasing, and brands in consumer goods, fashion, food, and e-commerce are already feeling it. But beyond compliance, there is a genuine commercial angle. Sustainability signals at checkout and in marketing have been shown to improve conversion and brand loyalty, particularly among millennial and Gen Z shoppers, who are now the dominant spending demographic in most consumer categories. Ocean plastic removal is a particularly compelling story to tell customers because it is tangible and visual. You can show them where the plastic was collected, who collected it, and what happened to it. That specificity matters in an era where consumers are increasingly sceptical of vague "eco-friendly" claims. ## How Ocean Plastic Removal Works With GoodAPI GoodAPI's plastic removal programme runs through a partnership with [Plastic Bank](https://plasticbank.com), a verified organisation operating collection networks in the Philippines and Indonesia. Plastic Bank pays local community members to collect plastic waste from coastal areas and waterways, preventing it from reaching the ocean. Here is what that looks like in practice for your business: ### Trigger per order, per product, or on a fixed basis Using the GoodAPI app, you can configure plastic removal to fire automatically on any of these triggers: - **Per order:** remove a fixed number of plastic bottles with every transaction - **Per product:** tie plastic removal to specific SKUs (e.g., for every water bottle sold, remove one plastic bottle from the ocean) - **Per value threshold:** trigger removal when an order exceeds a set spend - **Monthly fixed contribution:** commit to a regular amount regardless of transaction volume This flexibility means you can match the removal trigger to your brand story. A packaging company might offset per box shipped. A clothing brand might remove plastic with every item in a sustainability-focused collection. ### Pricing that scales with your sales GoodAPI charges $0.05 per bottle removed. That is five cents. For most e-commerce businesses, this adds a fraction of a cent to the cost of each order, which is rarely meaningful relative to average order values but is completely meaningful relative to the environmental impact it represents. The GoodAPI app also includes 100 free bottle removals to start, so you can test the programme and see how it looks in your impact reporting before you commit to any volume. ### Verified and transparent Every removal through GoodAPI is linked to verified collection activity. You are not purchasing a certificate from a registry. You are funding actual collection work by real people in specific locations, with transparency into the supply chain. This matters a great deal if your team is working on ESG reporting or sustainability disclosures. You can point to the programme, describe the verification chain, and explain exactly what the impact metric represents. ## Adding Plastic Removal to Your Shopify Store For Shopify merchants, the setup takes minutes. Install the GoodAPI app from the [Shopify App Store](https://apps.shopify.com/tree-planting), navigate to the plastic removal section, choose your trigger (per order is the most common starting point), set the quantity, and save. GoodAPI handles everything after that. You do not need a developer, a webhook, or any technical configuration. The app integrates natively with your Shopify order flow. Once you are live, you can pull an impact dashboard showing cumulative bottles removed, which you can use in marketing materials, on your website, and in customer communications. Some merchants display their impact totals directly in a footer banner or on a dedicated sustainability page. ## For Developers: The GoodAPI Plastic Removal API If you are building a custom implementation, integrating plastic removal into a non-Shopify platform, or orchestrating more complex trigger logic, GoodAPI's REST API gives you full programmatic control. A basic plastic removal call looks like this: ``` POST /v1/plastic-removal { "quantity": 1, "trigger": "order", "order_id": "ord_12345" } ``` You send the request, GoodAPI handles the fulfilment, and the removal is attributed to your account. You can query your impact totals at any time via the API, making it easy to pull verified data into your own reporting dashboards or customer-facing widgets. This is particularly useful for brands that want to tie plastic removal to specific customer actions, loyalty milestones, or subscription renewals rather than simple order events. ## Building a Dual-Impact Programme One thing that sets GoodAPI apart from most ocean plastic apps is the ability to combine plastic removal with tree planting in a single checkout integration. Rather than choosing one or the other, you can configure GoodAPI to plant a tree and remove plastic with every order. This dual-impact approach resonates especially well with brands that want to address both land-based biodiversity (through verified reforestation with [Veritree](https://veritree.com)) and ocean health (through Plastic Bank collection) in a single customer-facing story. For your marketing team, this is a much richer narrative: "With every order, we plant a tree in Madagascar and remove a plastic bottle from the Philippines." That specificity is the opposite of greenwashing. It is verifiable, local, and tied to real partner organisations. ## What to Tell Your Customers If you are going to integrate ocean plastic removal, make sure customers can actually find out about it. Here are a few places where the story lands well: **At checkout:** a simple badge or line item reading "This order removes 1 plastic bottle from the ocean" next to the order summary. Low friction, high impact. **On a sustainability page:** a rolling counter of total bottles removed, with a short explanation of how Plastic Bank works and a link to the project detail. **In post-purchase emails:** the order confirmation is opened at a much higher rate than most marketing emails. A single line about your plastic removal impact turns a transactional email into a brand-building touchpoint. **In your marketing copy:** "We have removed X bottles of ocean-bound plastic since [year]" is a specific, credible claim that differentiates you from brands making generic environmental statements. ## The Business Case in Numbers If your store processes 200 orders per month and you remove one plastic bottle per order, you are removing 2,400 bottles per year at a total cost of $120. That is $10 per month for a verified impact claim, a customer-facing sustainability story, and a contribution to a global environmental problem that affects every coastline on earth. For context, the average consumer sees 4,000 to 10,000 advertising messages per day. A real, verified sustainability programme is one of the few ways to cut through that noise with something that is genuinely differentiating. ## Getting Started If you are a Shopify merchant, the fastest path is to install the GoodAPI app and activate plastic removal alongside tree planting. The first 100 bottle removals are included for free. If you are building a custom integration or working at the API level, the GoodAPI documentation covers the plastic removal endpoints in detail and the team is available to help scope a programme that fits your order volume and brand goals. Ocean plastic removal is not a distant, expensive, or technically complex commitment. At five cents per bottle, it is one of the lowest-cost impact programmes available to any e-commerce business, and one of the most verifiable. The question is not really whether you can afford to do it. It is whether you can afford not to, as your customers increasingly ask. Ready to start? [Install GoodAPI on the Shopify App Store](https://apps.shopify.com/tree-planting) and add ocean plastic removal to your next order. --- # BigCommerce Tree Planting: Add Impact to Sales URL: https://www.thegoodapi.com/blog/bigcommerce-tree-planting-integration/ Description: Learn how to add tree planting and plastic removal to your BigCommerce store with GoodAPI. Step-by-step setup guide for merchants. Published: 2026-03-27 Your customers care about sustainability. That is not a hunch or a marketing talking point. Research shows that 72% of online shoppers now factor sustainability into their purchase decisions, and one in three have abandoned a cart over environmental concerns. For BigCommerce merchants, the question is not whether to act on this, but how. The good news: adding real environmental impact to your BigCommerce store takes about five minutes. No custom code, no developer needed, no ongoing maintenance. In this guide, we will walk through how to set up tree planting and ocean plastic removal on your BigCommerce store using [GoodAPI](https://thegoodapi.com), and why it matters for your brand and your bottom line. ## Why BigCommerce Merchants Should Offer Tree Planting BigCommerce powers a growing share of mid-market and enterprise online stores. Its open API architecture and flexible app ecosystem make it one of the best platforms for merchants who want to customize their stack. But when it comes to sustainability integrations, most BigCommerce stores are still leaving value on the table. Here is what the data says. The sustainable e-commerce market was valued at over $17 billion in 2025 and is projected to reach $54 billion by 2033. That growth is not abstract. It represents real shifts in how consumers choose where to spend their money. Among Gen Z shoppers, nearly half have abandoned a purchase because a brand did not meet their sustainability expectations. Adding tree planting to your store is one of the simplest ways to meet that expectation. Every order (or every product sold) can automatically trigger a verified tree planting, giving your customers tangible proof that their purchase made a difference. ## How BigCommerce Tree Planting Works With GoodAPI GoodAPI is a sustainability integration built for e-commerce platforms, including BigCommerce. When a customer places an order on your store, GoodAPI automatically records the transaction and triggers an environmental action: planting a tree, removing ocean-bound plastic, or both. Every tree planted through GoodAPI is verified through [Veritree](https://veritree.com), a trusted reforestation organization with projects across multiple continents. Trees are tracked, geolocated, and supported through their critical first years of growth. This is not a vague carbon credit or an unverifiable offset. Your customers can see exactly where their impact lands. ### What You Can Offer GoodAPI gives BigCommerce merchants two types of environmental impact: **Tree Planting** at $0.43 USD per tree. Each tree is planted through Veritree's verified reforestation projects in regions like Kenya, Madagascar, and Brazil. These are real trees in real soil, monitored with GPS coordinates and verified through third-party audits. **Ocean Plastic Removal** at $0.05 USD per bottle. This funds the removal of ocean-bound plastic before it reaches the water. It is a unique offering that most competitors simply do not provide. You can offer one or both. Many merchants choose the combination because it lets them tell a broader sustainability story: "Your order planted a tree and pulled plastic from the ocean." ## Setting Up BigCommerce Tree Planting: Step by Step Getting started takes just a few minutes. Here is the full process. ### Step 1: Install the App Log into your BigCommerce admin dashboard. Navigate to **Apps > My Apps** and search for "GoodAPI: Plant Trees, Clean Seas." Install the app and authorize the connection to your store. ### Step 2: Choose Your Impact Categories Once the app is active, open the **Environmental Impact & Billing** section. You will see two options: Tree Planting and Plastic Bottle Removal. Select one or both, then click "Update Billing" to save your preferences. ### Step 3: Configure Your Trigger In the **Impact Settings** section, decide how you want impact to be tracked: **Per Order** is the default. Every completed order triggers one tree planted (or one bottle removed, or both). This is the simplest setup and works well for most stores. **Per Product Sold** triggers impact for every item quantity in an order. If a customer buys three items, three trees get planted. This option is great for stores that want to scale impact proportionally with order size. You can also set a **Minimum Order Value** threshold, so impact only triggers on orders above a certain amount. And if you ever need to pause, there is a toggle for that too. ### Step 4: Add the Storefront Badge Head to the **Storytelling your Impact** section and click "Install Badge." This places a visible sustainability badge on your storefront so customers can see your commitment before they buy. The badge is a small but powerful trust signal. It tells shoppers that your store is actively planting trees and cleaning oceans with every sale. Click "Refresh" after installation to confirm the badge is live on your store. ### Step 5: Start Selling That is it. Once configured, GoodAPI runs in the background. Every qualifying order automatically contributes to reforestation and plastic removal. You can track your total impact in the GoodAPI dashboard at any time. ## The Business Case for BigCommerce Tree Planting Let us talk numbers. Sustainability is not just good ethics. It is good business. Greenspark, a competitor in this space, has publicly cited a 12% increase in checkout conversion for stores that display sustainability commitments during the purchase flow. That aligns with broader research: 43% of consumers are willing to pay more for products with sustainable practices, and 74% of retailers now list sustainability as a primary or secondary business priority. At $0.43 per tree, the math works in your favor. If you sell 1,000 orders per month, you are spending $430 to plant 1,000 trees. If that investment drives even a 5% lift in conversion rate or repeat purchases, the revenue gain far exceeds the cost. And unlike paid ads or discounts, sustainability spending does not erode your margins or train customers to wait for deals. It builds brand equity that compounds over time. ## What Makes GoodAPI Different for BigCommerce BigCommerce merchants have options when it comes to sustainability tools, so here is why GoodAPI stands out. **Price.** At $0.43 per tree, GoodAPI is significantly more affordable than alternatives like One Tree Planted ($1.00 per tree) or Ecologi ($0.80 per tree). That price difference adds up fast at scale. **Dual impact.** Most tree planting services offer just that: trees. GoodAPI also provides ocean plastic removal, giving your brand a broader environmental story. **Verification.** Every tree is planted through Veritree with GPS tracking and third-party verification. This is not a promise on paper. It is a verifiable, auditable impact trail that protects your brand from greenwashing accusations. **Simplicity.** The BigCommerce integration takes minutes to set up and runs automatically. No webhooks to configure, no code to write, no ongoing maintenance. **Flexibility.** Choose per-order or per-product triggers, set minimum order thresholds, and pause or resume at any time. If you need custom configurations targeting specific products or regions, the GoodAPI team offers direct support. ## Beyond the Badge: Telling Your Sustainability Story Installing the integration is step one. Telling the story is where the real value lives. Here are a few ways BigCommerce merchants can amplify their impact: Share your running total on social media. "We just planted our 10,000th tree" is the kind of milestone that earns organic engagement. Include your sustainability commitment in email marketing. Post-purchase emails that say "Your order just planted a tree in Madagascar" turn a transaction into a moment of connection. Add your impact data to your About page. Customers who are researching your brand will look for proof that your values are real, not performative. GoodAPI tracks your cumulative impact in real time, so you always have fresh numbers to share. ## Getting Started Today BigCommerce gives you the platform. GoodAPI gives you the impact. Together, they let you turn every sale into something your customers and your team can feel good about. The setup takes five minutes. The cost starts at $0.43 per tree. And the first impression you make on a sustainability-conscious shopper could be the one that earns their loyalty for years. Ready to add tree planting to your BigCommerce store? Visit [thegoodapi.com](https://thegoodapi.com) to get started, or search for "GoodAPI: Plant Trees, Clean Seas" in your BigCommerce app marketplace. The full platform also includes API access for developers who want to build custom integrations. If you have questions about BigCommerce-specific configuration, reach out to the GoodAPI team through the in-app chat or at the [GoodAPI help center](https://www.thegoodapi.com/help/). --- # What Is a Sustainability API? URL: https://www.thegoodapi.com/blog/sustainability-api-ecommerce-guide/ Description: Learn what a sustainability API is, how developers use them to add tree planting and carbon offsets to apps, and why they matter for ecommerce. Published: 2026-03-26 ## What Is a Sustainability API? Your customers care about the environment. Surveys consistently show that a majority of online shoppers prefer brands with eco-friendly practices, and many will pay a premium for products that support verified environmental impact. The challenge for developers and product teams is turning that consumer sentiment into something real, something measurable, something built into the product itself. That is where a sustainability API comes in. A sustainability API is a programmatic interface that lets developers trigger environmental actions, like planting trees, removing ocean plastic, or purchasing carbon offsets, directly from their application code. Instead of manually donating to a charity or running a one-off campaign, you wire up an API call that fires every time a customer places an order, signs up for a subscription, or hits a milestone in your app. The result: verified, trackable environmental impact that scales with your business. ## Why Sustainability APIs Matter for Ecommerce Ecommerce brands face a specific version of this problem. Shoppers want to buy from businesses that give back, but "giving back" has to be more than a logo on the checkout page. It has to be real, and it has to be provable. The old approach was clunky. A brand would partner with a nonprofit, write a check at the end of the quarter, and post about it on social media. There was no connection between individual purchases and specific outcomes. Customers had no way to verify anything. Sustainability APIs change that equation entirely. When a developer integrates a sustainability API into a Shopify store, a headless commerce platform, or a custom checkout flow, every single transaction can trigger a concrete action. One order, one tree planted. Ten dollars spent, one pound of plastic removed from the ocean. The data is logged, geolocated, and verifiable. This is not a marketing gimmick. The API economy is projected to reach over $20 billion in 2026, growing at nearly 18% annually. Within that market, sustainability-focused integrations are one of the fastest-growing categories because they solve a real business problem: how do you prove to your customers that you are actually making a difference? ## How a Sustainability API Works The mechanics are simpler than most developers expect. Here is a typical integration flow: ### 1. Choose Your Impact Type Most sustainability APIs offer several categories of environmental action. The common ones include tree planting, carbon offsetting, ocean plastic removal, and biodiversity projects. You pick the actions that align with your brand and your customers' values. ### 2. Connect via REST API Sustainability APIs follow standard REST conventions. You authenticate with an API key, send a POST request with the details of the action you want to trigger, and get back a response confirming the impact. If you are working with a platform like Shopify, many providers also offer no-code integrations through apps or Zapier. ### 3. Trigger on Events The real power is in event-driven triggering. You can plant a tree when a customer completes checkout, offset carbon when a shipment is dispatched, or remove plastic when someone leaves a five-star review. The trigger logic lives in your application, so you have full control over when and how impact happens. ### 4. Track and Report Good sustainability APIs return detailed data about every action. That means GPS coordinates for planted trees, verification certificates for carbon offsets, and removal reports for ocean plastic. You can surface this data to your customers through order confirmation emails, impact dashboards, or storefront badges. ## What to Look for in a Sustainability API Not every sustainability API is created equal. Here are the things that matter most when you are evaluating options. ### Verification and Transparency The single most important factor. Your customers will eventually ask, "Did you actually plant that tree?" If you cannot answer with GPS coordinates and a verified planting partner, you are exposed to greenwashing accusations. Look for APIs that work with established reforestation organizations and provide per-action tracking. [GoodAPI](https://thegoodapi.com), for example, partners with Veritree, a verified reforestation organization with global projects. Every tree planted through the GoodAPI sustainability API is tracked, geolocated, and supported through its critical first years of growth. That level of transparency turns a marketing claim into a verifiable fact. ### Pricing That Scales Sustainability should not break your unit economics. Look for usage-based pricing where you pay per action rather than a flat monthly fee. This ensures your environmental spend scales proportionally with your revenue. If you are a small store doing 50 orders a month, you should not be paying the same as an enterprise doing 50,000. ### Developer Experience A sustainability API is only useful if your team can actually integrate it. Check for clear documentation, sandbox environments for testing, and SDKs or code examples in your language of choice. The best providers make it possible to go from sign-up to first API call in under an hour. ### Platform Integrations If you are running a Shopify store, you probably do not want to write custom code. Look for providers that offer native integrations with your ecommerce platform, plus connections to tools like Shopify Flow, LoyaltyLion, or Zapier for automation without engineering effort. ## Sustainability APIs for Ecommerce: Real Use Cases The best way to understand what a sustainability API enables is to look at how businesses actually use them. ### Tree Planting Per Order The most common use case. A Shopify merchant installs the [GoodAPI app](https://apps.shopify.com/tree-planting) and configures it to plant one tree for every order. The customer sees a badge on the checkout page confirming the commitment, and the order confirmation email includes a link to the tree's planting location. No custom code required. ### Carbon-Neutral Shipping A logistics company integrates a sustainability API to automatically calculate and offset the carbon footprint of every shipment. The API call happens in the background when a shipping label is generated, and the offset certificate is attached to the delivery notification. ### Loyalty Points for Impact A brand using LoyaltyLion lets customers redeem their loyalty points for environmental actions instead of discounts. Ten points plants a tree. Fifty points removes a pound of ocean plastic. This turns a cost center (loyalty discounts) into a brand-building moment. ### Developer Platform Impact A SaaS company building a developer platform adds tree planting to their API. Every time a user deploys a new project, a tree is planted. It costs pennies per deployment but creates a genuine differentiator in a crowded market. ## The Business Case for Sustainability APIs Let us talk numbers. Implementing a sustainability API is not just good ethics. It is good business. Conversion rates improve when customers see verified environmental impact at checkout. Greenspark, one of the sustainability API providers in the market, has publicly cited a 12% increase in checkout conversion for merchants displaying sustainability badges. Average order values tend to increase as well, because customers feel better about spending more when they know part of their purchase supports the environment. Customer lifetime value also benefits. Shoppers who connect emotionally with a brand's mission are more likely to come back. They are more likely to refer friends. And they are far less likely to churn over a minor price difference with a competitor. For developers and product managers, the integration cost is minimal. Most sustainability APIs can be integrated in a single sprint. The ongoing cost is usage-based and typically amounts to a few cents per transaction. Compare that to the cost of acquiring a new customer, and the ROI becomes obvious. ## Getting Started With a Sustainability API If you are ready to add environmental impact to your application, here is a practical starting point. First, decide what type of impact aligns with your brand. Tree planting works for nearly everyone, but if your product relates to oceans, shipping, or coastal communities, plastic removal might resonate more strongly with your audience. Second, evaluate providers on verification, pricing, and developer experience. Sign up for a free tier or sandbox and make your first API call. See how the documentation reads. Check whether the response data gives you enough detail to show your customers. Third, start simple. Plant one tree per order. Display a badge on your checkout page. Include the impact data in your confirmation emails. You can always expand later with conditional logic, loyalty integrations, or custom impact dashboards. If you are building on Shopify, the fastest path is to install the [GoodAPI app from the Shopify App Store](https://apps.shopify.com/tree-planting). It handles the integration automatically and works with Shopify Flow for advanced automation. If you are building a custom application, the [GoodAPI developer documentation](https://www.thegoodapi.com/docs/api) covers everything from authentication to webhook configuration. ## The Future of Sustainability APIs in Ecommerce The sustainability API space is evolving quickly. As regulatory requirements like the EU's Digital Product Passport become mandatory in 2026 and 2027, businesses will need programmatic access to environmental data at the product level. APIs that can provide carbon footprint calculations, supply chain transparency data, and verified impact certificates will move from "nice to have" to "required infrastructure." For developers, this means the skills you build today integrating sustainability APIs will become increasingly valuable. For product managers, it means the competitive advantage of offering verified environmental impact will shrink as more competitors adopt similar tools. The brands that move first will have the strongest track record and the deepest customer trust. The bottom line: a sustainability API is the simplest way to turn your customers' environmental values into real, verifiable action. Whether you are a solo developer adding tree planting to a side project or a product team at a major ecommerce brand, the tools exist today to make it happen with a few lines of code. Start building. Your customers, and the planet, are waiting. --- # How to Avoid Greenwashing in E-Commerce URL: https://www.thegoodapi.com/blog/avoid-greenwashing-ecommerce/ Description: Learn how to make honest sustainability claims in your online store, stay compliant with new EU rules, and build real customer trust. Published: 2026-03-25 Sustainability sells. Roughly 92% of shoppers say they prefer brands with genuine environmental commitments. But that demand has created a trap: the temptation to overstate, oversimplify, or outright fabricate green credentials. That is greenwashing, and it is becoming one of the biggest risks in e-commerce today. Starting in September 2026, the EU's Empowering Consumers for the Green Transition (ECGT) directive will make vague sustainability claims illegal for any business selling to European consumers. Penalties can reach 4% of annual turnover. Whether you run a Shopify store or a global marketplace, the rules are changing fast. Here is how to avoid greenwashing in e-commerce, build genuine trust, and turn real environmental action into a competitive advantage. ## What Greenwashing Actually Looks Like Greenwashing is not always obvious. It is rarely a company flat-out lying. More often, it shows up in subtler ways that feel harmless but erode consumer trust over time. **Vague language** is the most common culprit. Terms like "eco-friendly," "green," "natural," and "sustainable" have no legal definition in most markets. A store that slaps "eco-friendly" on its packaging without any data to back it up is greenwashing, even if the owner genuinely believes the claim. **Selective storytelling** is another pattern. A brand might promote its switch to recycled shipping boxes while ignoring that its products are manufactured in facilities with no environmental standards. Highlighting one positive action while staying silent on larger problems misleads customers. **Carbon neutral claims based on offsets** are increasingly under scrutiny. Buying carbon credits without reducing your actual emissions is not the same as being sustainable. The EU's ECGT directive will ban claims like "carbon neutral" and "climate compensated" when they rely entirely on offsetting rather than measurable emission reductions. **Fake or unverified labels** are a growing problem too. Self-created sustainability badges that have not been verified by an independent third party will be banned under the new EU rules. If no external organization has validated your claim, it is not a certification. ## Why It Matters More Than Ever The regulatory landscape is shifting quickly. The EU's ECGT directive, which takes full effect on September 27, 2026, applies to any trader selling to EU consumers, regardless of where your business is headquartered. If your Shopify store ships to Europe and your product page says "eco-friendly shipping," you are subject to these rules. The directive specifically bans generic environmental claims that are not backed by recognized environmental excellence. It bans sustainability labels that lack independent, third-party verification. And it bans durability claims that cannot be substantiated. Penalties are not symbolic. Member states must impose fines of at least 4% of annual turnover or a minimum of 2 million euros. Competitors and NGOs also gain legal standing to challenge vague claims, so enforcement will not come solely from regulators. Beyond compliance, there is a trust problem. Research consistently shows that around 60% of consumers are skeptical of companies' green claims. That skepticism has grown as high-profile greenwashing scandals have made headlines. If your sustainability messaging feels hollow, customers notice. And they leave. ## How to Avoid Greenwashing in Your E-Commerce Store ### Be Specific and Measurable Replace vague language with concrete, verifiable statements. Instead of "our packaging is eco-friendly," say "our packaging is made from 100% post-consumer recycled cardboard." Instead of "we are a sustainable brand," say "we planted 12,000 trees in 2025 through verified reforestation projects." Specific claims are harder to challenge, easier for customers to understand, and far more persuasive. Numbers, dates, and named partners all add credibility. ### Get Third-Party Verification The simplest way to prove your claims is to have someone else verify them. Recognized certifications like B Corp, Fairtrade, and USDA Organic carry weight because they involve independent audits. For tree planting and reforestation, partnering with a verified organization like Veritree means every tree is tracked, geolocated, and monitored through its critical first years of growth. The key distinction is between claims you make about yourself and claims an independent party confirms. The second type is what regulators, journalists, and customers want to see. ### Show Your Work Transparency is the antidote to greenwashing. Publish the data behind your claims. If you say you have reduced packaging waste by 30%, show the methodology. If you plant trees with every order, show customers exactly where those trees are planted, how many have been planted, and who verified the count. Tools like impact dashboards and order confirmation details that show a customer "your purchase planted 2 trees in Kenya" turn abstract promises into concrete proof. This kind of transparency does not just satisfy regulators. It builds loyalty. ### Avoid Greenwashing by Omission Do not cherry-pick the good parts and hide the rest. If your shipping still generates significant emissions, say so. If your supply chain is a work in progress, explain what you are doing to improve it. Customers in 2026 are sophisticated enough to respect honesty about imperfection. What they will not accept is silence on the hard parts. A simple sustainability page on your store that outlines what you are doing, what you are not yet doing, and what your goals are can be more powerful than a polished marketing campaign. ### Use Verified Impact, Not Just Offsets Carbon offsets have their place, but they are increasingly seen as a way to buy a clean conscience without changing behavior. The EU's new rules reflect this shift. Claims like "carbon neutral" based on offset purchases alone will not be permitted. A stronger approach is to fund direct environmental action that is independently tracked. Planting real, verified trees through organizations like Veritree provides a tangible, measurable impact that does not depend on the murky math of carbon credit markets. Customers can see where their impact goes. Regulators can verify it. That is the difference between greenwashing and genuine sustainability. ## How GoodAPI Helps You Stay on the Right Side [GoodAPI](https://apps.shopify.com/tree-planting) was built for merchants who want to take real environmental action without the risk of greenwashing. Every tree planted through GoodAPI is verified through Veritree, with geolocation data, species tracking, and long-term monitoring built in. There are no vague claims involved. Just measurable, trackable impact that you can share with your customers. When a customer places an order and a tree is planted, they can see the proof. Your sustainability page gets real data. Your marketing gets real numbers. And when regulators or skeptical shoppers ask "can you prove it?", the answer is yes. The platform integrates directly with Shopify and works with tools like Shopify Flow, so automating tree planting with every order, subscription renewal, or loyalty milestone takes minutes to set up. You get a sustainability story that is backed by evidence, not just intention. ## A Quick Greenwashing Checklist for Your Store Before you publish your next sustainability claim, run through these questions: Can you back this claim with specific data or a third-party certification? If not, rephrase or remove it. Are you using generic terms like "eco-friendly" or "green" without explanation? Replace them with measurable specifics. Is your sustainability label verified by an independent organization? If it is self-created, it is not a certification. Are you highlighting one positive action while staying silent on larger impacts? Be transparent about the full picture. Are your carbon claims based entirely on offsets? Consider funding direct, verified environmental action instead. If you can answer these honestly, you are well on your way to building a sustainability message that holds up under scrutiny. ## The Bottom Line Greenwashing is not just an ethical issue anymore. With the EU ECGT directive taking effect in September 2026, it is a legal and financial risk. But the opportunity is real too. Brands that invest in verified, transparent sustainability practices earn deeper customer trust and stand out in a market flooded with empty promises. The path is straightforward: be specific, get verified, show your work, and fund real impact. If you are ready to add verified tree planting to your store without the greenwashing risk, [GoodAPI makes it simple](https://apps.shopify.com/tree-planting). --- # Best Sustainability App for Shopify Plus URL: https://www.thegoodapi.com/blog/shopify-plus-sustainability-app/ Description: What Shopify Plus stores need from a sustainability app, and why GoodAPI checks every box for enterprise merchants. Published: 2026-03-25 Most sustainability apps are built for small stores. They work fine when you're processing a few dozen orders a day, but they start to crack when you scale up. Checkout latency creeps in. Automations feel bolted on. Impact claims are vague. And when your legal team asks for proof that those trees were actually planted, nobody has a good answer. Shopify Plus stores can't afford that. Enterprise merchants need sustainability tools that match the scale and rigor of everything else in their tech stack. Here's what that actually looks like, and why [GoodAPI](https://apps.shopify.com/tree-planting) was built for it. ## What Shopify Plus Stores Need (That Most Apps Miss) ### Native Shopify Flow Integration Plus stores run on automations. Your sustainability app needs to work as a first-class Flow action, not a standalone widget that sits outside your workflows. That means planting a tree when an order exceeds a certain value. Or removing ocean plastic when a subscription renews. Or triggering both when a customer leaves their fifth review. These aren't niche use cases. They're how enterprise merchants personalize the customer experience at scale. GoodAPI integrates directly with Shopify Flow. You build sustainability triggers using the same workflow builder you already use for everything else. No workarounds, no Zapier middleware, no code required (though the API is there if you want it). ### Checkout Extensibility Shopify Plus gives you control over the checkout experience, and that's where the highest-impact sustainability messaging belongs. Telling a customer "your purchase will plant a tree" on the product page is good. Showing it in the checkout is better. GoodAPI integrates with Shopify Checkout and supports checkout UI extensions. Impact messaging appears at the moment of purchase, where it reinforces the buying decision and differentiates your brand. Most sustainability apps only offer storefront widgets. For Plus stores with custom checkouts, that's not enough. ### API Access Without a Premium Tier Enterprise stores almost always need programmatic access. You might want to pull impact data into a BI dashboard, sync tree planting totals to your CRM, display real-time impact on a custom landing page, or trigger actions from a headless storefront. Some sustainability apps lock API access behind $99/month premium plans. GoodAPI includes API access for every merchant, free of charge. There's no feature gating. If you want to call the tree planting endpoint from a custom service, you can. Today. Without upgrading. ### Verified, Auditable Impact This one is getting more urgent by the month. The EU's ECGT directive takes full effect in September 2026 and bans vague environmental claims for any business selling to European consumers. "Eco-friendly" is no longer enough. "Carbon neutral" based on offsets alone is being outlawed. Regulators can fine businesses up to 4% of annual turnover. For Shopify Plus brands selling internationally, this means your sustainability claims need to be backed by independently verified, auditable data. Not just a counter on your website. Actual proof. GoodAPI partners with [Veritree](https://www.veritree.com/), a verified reforestation organization with projects around the world. Every tree planted through GoodAPI is geolocated, species-tracked, and monitored through its critical first years of growth. When a regulator, journalist, or skeptical customer asks "prove it," you have GPS coordinates, species data, and third-party verification ready to go. This isn't a nice-to-have anymore. For enterprise brands, it's table stakes. ### Performance Under Load Black Friday. Flash sales. Product drops with viral demand. Shopify Plus stores handle traffic that would knock over a smaller stack. Your sustainability app absolutely cannot add latency to checkout or fail silently during a surge. GoodAPI carries the official **"Built for Shopify"** designation. This means it has passed Shopify's own technical review for performance, security, and integration quality. It's not a self-awarded badge. Shopify's engineering team reviewed the app and certified that it meets their standards. For Plus merchants, this certification matters because it means one fewer thing to worry about when traffic spikes. ## How the Pricing Works GoodAPI has no monthly subscription. None. You pay per action: - **$0.43 per tree planted** - **$0.05 per bottle of ocean plastic removed** - **First 50 trees and 100 bottles are free** That's the entire pricing model. No tiers. No feature gating. No "contact us for enterprise pricing." A store planting 1,000 trees a month pays $430. A store planting 100 trees pays $43. Scale up or down and your cost moves in lockstep. For Plus stores used to dealing with sustainability vendors who charge monthly subscriptions plus per-unit fees plus premium tier surcharges for API access, this is refreshingly simple. Your CFO will appreciate only having one line item to think about. ## Two Impact Types, Done Right GoodAPI focuses on two environmental actions: tree planting and ocean plastic removal. Some merchants ask why there aren't more categories. Carbon credits, kelp, bees, clean water. The honest answer is that GoodAPI chose depth over breadth. Rather than spreading verification infrastructure across six impact types, every resource goes into making tree planting and plastic removal rigorous, trackable, and provable. For most e-commerce brands, these two are the most tangible and marketable anyway. Customers understand trees. They understand plastic. They don't need a whitepaper to grasp the impact. And when those customers ask for proof, GoodAPI's Veritree partnership provides it at a level most competitors can't match. If your brand specifically needs carbon offsetting, GoodAPI isn't the right fit for that particular need. But if your strategy is "fund real, physical, verified environmental action and show customers the receipts," the focused approach is a strength, not a limitation. ## What 220+ Merchants Say GoodAPI has 220+ reviews on the Shopify App Store with a 4.9-star rating. That's the largest review base in the sustainability app category. Merchants consistently highlight three things: reliability (the app doesn't break during peak traffic), support (real humans respond quickly), and the quality of the marketing assets (badges, banners, and impact content that actually looks good on a storefront). The near-perfect score across that many reviews is harder to achieve than a perfect score across a handful. It reflects consistent quality across a wide range of store sizes, industries, and traffic patterns. ## How to Set It Up on Shopify Plus Getting started takes about five minutes: **Install** from the [Shopify App Store](https://apps.shopify.com/tree-planting). No credit card required and your first 50 trees are free. **Choose your trigger.** Set how many trees (or bottles) to plant per order, per dollar amount, or per specific product. You can configure different rules for different scenarios. **Build Flow automations.** Open Shopify Flow and add GoodAPI actions to your existing workflows. Plant trees on subscription renewals, loyalty milestones, review submissions, or any custom event. **Add impact messaging.** Use GoodAPI's badge library to add sustainability messaging to your storefront, checkout, and post-purchase pages. Everything is customizable to match your brand. **Track and share.** Your dashboard shows real-time impact totals with Veritree verification data. Use these numbers in email campaigns, social content, and annual sustainability reports. The whole setup plugs into your existing Shopify Plus infrastructure. No new vendor relationships to manage, no separate dashboards to monitor, and no monthly bill to justify on a recurring budget call. ## The Bottom Line Shopify Plus stores need sustainability tools that match enterprise standards: native integrations, auditable impact, reliable performance, and transparent pricing. Most sustainability apps were built for smaller stores and retrofitted for enterprise use. GoodAPI was built with Shopify's own technical standards from the start. No subscription. Verified impact. "Built for Shopify" certified. [Try it free](https://apps.shopify.com/tree-planting) and see how it fits your stack. --- # Companies That Plant Trees Per Purchase: 2026 Guide URL: https://www.thegoodapi.com/blog/companies-that-plant-trees-per-purchase/ Description: How brands plant trees with every purchase, which models work best, and how to add verified tree planting to your Shopify store today. Published: 2026-03-24 Somewhere between your cart page and your confirmation email, a quiet shift has happened in how the best e-commerce brands talk about their values. A growing number of them have made a simple, visible promise: every time you buy something, a tree gets planted. It sounds almost too easy. But for thousands of merchants, planting trees with every purchase has become one of the most effective ways to build customer loyalty, improve conversion rates, and do something genuinely good in the process. This guide breaks down how companies that plant trees when you buy a product actually make it work, and how your store can do the same. ## Why Tree Planting Per Purchase Has Become a Go-To Strategy The idea of attaching a real-world impact to every transaction has a few things going for it that other sustainability moves do not. First, it is tangible. Most shoppers can not visualize what "carbon neutral shipping" means. But a tree? Everyone understands a tree. It grows. It lives somewhere specific. It has roots. That concreteness is valuable. Second, the numbers support it. Research from NYU Stern's Center for Sustainable Business found that products marketed as sustainable grow up to 5.6 times faster than conventional alternatives. Separate data shows that 72% of consumers are actively buying more eco-friendly products, and 58% say they are willing to pay a premium for sustainable goods. Shoppers spend roughly 9.7% more, on average, when purchasing sustainably sourced items. Third, it converts. Greenspark, which tracks impact data across hundreds of Shopify merchants, reports an average 12% improvement in checkout conversion and a 16% increase in average order value when tree planting is visible throughout the customer journey. One brand, Shape World, saw an 8.66% conversion increase and a 10.5% overall revenue lift after adding tree planting to their store. ## How Different Companies Structure Their Programs There is no single way to do this. The brands doing it well have chosen a model that fits their margins and their story. Here are the main approaches. ### One Tree Per Order The most common and communicable structure. Every completed order plants one tree, regardless of what was in the cart. This is easy to explain in a single line on a product page or at checkout: "We plant a tree for every order placed." This model works well for stores where orders are frequent and cart values are moderate. The message is clean and it makes customers feel like their purchase directly triggered something real. ### One Tree Per Product Brands with a strong per-item story, particularly in categories like apparel, accessories, or stationery, sometimes attach the tree to individual units sold rather than whole orders. tentree, one of the best-known examples in this space, plants ten trees for every item purchased and has passed 100 million trees planted globally as a result. This model works best when you want the impact to scale proportionally with the size of the purchase, and when your products have a clear environmental or ethical brand identity. ### Percentage of Revenue Some companies dedicate a percentage of each sale, often 1% or more, to tree planting and other environmental initiatives. This gives more flexibility in how funds are used and allows the program to scale naturally with the business. It is sometimes harder to communicate simply at checkout, but it works well for brands with a deeper sustainability narrative. ### Customer Choice at Checkout A newer approach lets customers opt in to tree planting by adding it to their cart, or by selecting it as a checkout action. This is less "we do this automatically" and more "we make it easy for you to do it." Some stores combine this with donation matching, where the brand plants a tree for every customer who chooses to plant one. ## What Separates Real Tree Planting from Greenwashing Not all tree planting is created equal. There is a real difference between a brand that donates to a verified reforestation project with geolocated trees and survival tracking, and one that quietly sends a small amount to a loosely defined fund with no follow-through. The things to look for, whether you are a consumer evaluating a brand or a merchant setting up a program, are transparency and verification. Where are the trees being planted? By whom? Are the trees tracked after planting? Do they survive their critical first years of growth? GoodAPI's reforestation partner is Veritree, a verified reforestation organization with projects in multiple countries. Trees planted through GoodAPI are tracked, geolocated, and supported through the period when they are most vulnerable to failure. That verification matters because it is the difference between a marketing claim and a measurable environmental outcome. When a customer sees that their order planted a tree and that tree is part of a monitored, documented restoration project, the trust that creates is real. That trust is worth something. ## Categories Where Tree-Per-Purchase Works Especially Well Almost any product category can support this model, but some lend themselves to it more naturally. **Apparel and accessories** have been early adopters because the product category already carries strong values associations. Brands in sustainable fashion, outdoor gear, and conscious lifestyle products find that tree planting reinforces their positioning without feeling tacked on. **Home goods and furniture** work well because the purchase is meaningful. Buying a piece of furniture and knowing it came with a tree planted in Kenya or Madagascar adds a permanence to the purchase that customers remember. **Subscription boxes and recurring purchases** benefit enormously because the impact compounds. A customer who subscribes monthly and knows a tree is planted every month will eventually feel personally invested in a small forest. That emotional connection drives retention. **Food and beverage** brands, particularly those in the specialty or conscious consumption space, have used tree planting to extend the story of their supply chain into something forward-looking rather than just retrospective. **Digital products and SaaS** are a less obvious fit but increasingly relevant. Software companies, online courses, and digital subscription services use tree planting to give physical weight to an otherwise intangible purchase. "Your license to this tool helped plant a tree in Madagascar" is a surprisingly effective line to put in an onboarding email. ## How to Add Tree Planting to Your Shopify Store The easiest way to add a tree-per-order or tree-per-product program to a Shopify store is through an app that handles the planting, verification, and customer communication automatically. GoodAPI connects directly to Shopify and plants trees through Veritree on behalf of merchants with every order or product purchase, depending on how you configure it. You do not have to manage a reforestation organization, track tree survival, or generate impact reports yourself. GoodAPI handles all of that. Beyond trees, GoodAPI also supports ocean-bound plastic removal, so merchants who want to offer a dual environmental impact, a tree planted and plastic removed from the ocean, can do that through a single integration. The setup takes a few minutes. You choose your trigger (per order, per product, per spend threshold), set your planting rate, and configure the in-store badges that tell customers what their purchase is doing. Those badges are the visible layer: the cart page, the checkout page, the order confirmation, your product descriptions. Each touchpoint is another opportunity to remind customers that their purchase did something real. ### What Merchants Can Communicate Once tree planting is active on your store, you have a lot to work with from a communication standpoint. On your product pages: "Every order plants a tree through our reforestation partner, Veritree." At checkout: A sustainability badge showing cumulative trees planted, or the specific project their order is contributing to. In your order confirmation email: "Your order helped plant a tree in [project country]. Here is what that means." On your website's About or Impact page: A running total of trees planted, linked back to the specific project. This kind of ongoing communication turns a one-time checkout action into a continuous brand narrative. Over thousands of orders, that narrative becomes part of what customers associate with buying from you. ## The Business Case in Plain Terms If 58% of shoppers are willing to pay more for sustainable products, and if checkout conversion lifts of 10-12% are achievable by making your environmental impact visible, the question is not really whether to add tree planting to your store. The question is why you would wait. The cost per tree through GoodAPI is low enough that it is easily absorbed into pricing or treated as a marketing line item. The returns, in conversion rate, customer retention, brand differentiation, and genuine environmental impact, are measurable. Companies that plant trees when you buy a product are not all large brands with sustainability departments and six-figure impact budgets. Many of them are small and mid-sized Shopify merchants who made one decision, added one integration, and found that their customers noticed, remembered, and came back. If you want to be one of those companies, the setup is straightforward. [Install GoodAPI on Shopify](https://apps.shopify.com/tree-planting) and start planting with your next order. --- # Madagascar Reforestation: What Your Sales Are Doing URL: https://www.thegoodapi.com/blog/madagascar-tree-planting-project/ Description: Madagascar has lost over 90% of its forests. Here's how Shopify merchants are funding verified tree planting projects that restore this irreplaceable ecosystem. Published: 2026-03-23 Madagascar is unlike anywhere else on Earth. The island split from mainland Africa roughly 160 million years ago and evolved in isolation for so long that today, nearly 90% of its wildlife exists nowhere else on the planet. It is home to over 100 species of lemurs, thousands of endemic plant species, and ecosystems that took millions of years to develop. And right now, those ecosystems are disappearing faster than almost anywhere else in the world. Madagascar has lost more than 90% of its original forest cover. What remains is fragmented, under constant pressure from slash-and-burn agriculture, illegal logging, and charcoal production. The numbers are stark: between 2000 and 2016 alone, Madagascar lost over 3 million hectares of tree cover. That's roughly the size of Belgium, gone in 16 years. When Shopify merchants use GoodAPI to plant trees with every order, a portion of those trees go directly into certified Madagascar reforestation projects, verified by [Veritree](https://www.veritree.com/), a global reforestation platform that tracks every tree from seedling to established forest. This post explains exactly what that means on the ground, and why it matters more than you might think. ## Why Madagascar Is Ground Zero for Reforestation To understand why Madagascar's forests are so critical, you have to understand just how isolated and ancient its biodiversity really is. When the island separated from Africa, the wildlife that lived there evolved on their own trajectory for millions of years. The result is a place where the rules of the natural world feel different. Lemurs, which are found nowhere else wild on Earth, fill ecological niches that monkeys occupy elsewhere. Baobab trees, some over 1,000 years old, store enormous reserves of water in their trunks. Chameleons represent around half of all chameleon species globally. Even the plants on the island are largely unique: Madagascar has around 13,000 plant species, with close to 90% of them endemic. All of that is built on the forest. When the forest disappears, so does the wildlife it supports. The IUCN classifies 96.3% of Madagascar's 113 known lemur species as threatened with extinction, largely because of habitat loss. These are not edge cases or outliers. This is the vast majority of an entire mammal group, facing collapse within a generation. Beyond wildlife, forest loss in Madagascar has contributed an estimated 2.52 gigatonnes of CO2 equivalent emissions since 2000. The forests here are not just biodiversity hotspots. They are functioning carbon sinks, and losing them accelerates the climate pressures that create the very poverty cycles that drive deforestation in the first place. ## What Reforestation in Madagascar Actually Looks Like Not all tree planting is equal, and Madagascar has had its share of projects that looked good on paper but struggled on the ground. So it is worth being specific about how responsible reforestation works here. GoodAPI's reforestation partner Veritree works with local communities in Madagascar to plant and protect native species in degraded landscapes. This is not aerial seeding or bulk planting of non-native monocultures. The approach involves training local people as tree nursery workers, planters, and forest managers, creating employment in some of the island's most economically vulnerable regions while building the community stake needed to protect the forests long-term. Each tree planted through GoodAPI is geolocated, tracked, and supported through its critical first years of growth. Veritree's platform records planting data in real time, including the tree's species, location, the farmer who planted it, and the condition of the soil it went into. This level of documentation matters because the survival rate of trees in their first three to five years is where most reforestation projects succeed or fail. The primary focus in Madagascar includes mangrove restoration along the northwest coastline. Mangroves are particularly important here for several reasons. They protect coastlines from erosion and storm surge. They serve as nurseries for fish that local communities depend on for food and income. And gram for gram, mangrove forests sequester carbon more efficiently than almost any other ecosystem on Earth, storing it in both the tree biomass and the sediment below. You can explore GoodAPI's active Madagascar project on [the project page](/tree-planting-madagascar/), which shows planting locations, species information, and progress data updated as new trees are planted. ## The Numbers Behind Every Order For merchants, the mechanism is simple. You connect GoodAPI to your Shopify store, configure a tree or trees per order (or per product, or per a specific trigger like a 5-star review), and every qualifying event automatically funds a tree through Veritree's verified network. What makes GoodAPI different from a straightforward donation model is the traceability. When a tree is planted on behalf of your store, it is assigned to a real location, in a real project, tended by a real person. The impact is not just a line item in a CSR report. It is a point on a map with a species name attached to it. The Madagascar project page at [thegoodapi.com/tree-planting-madagascar](/tree-planting-madagascar/) gives merchants and their customers a direct window into where those trees are going. That transparency matters more than it used to. Consumers today are skilled at spotting vague green claims. A store that can say "here is our tree, here is its GPS location, here is the team that planted it" is operating at a completely different level of credibility than one that simply says "we plant a tree for every order." Madagascar's forests have 1,339 monthly impressions in Google for project-related searches. People are actively researching where their reforestation dollars go. Merchants who can point customers to verified project data are converting that research intent into trust. ## Why This Matters for Your Brand Sustainability marketing works best when it is specific. "We're eco-friendly" does nothing. "We've planted 4,200 trees in northwest Madagascar with Veritree, geolocated and tracked" is a story. Madagascar is one of the most recognizable conservation contexts in the world. Lemurs, baobabs, and the island's biodiversity are widely known, in part because of how dramatically threatened they are. When customers learn that their purchase contributed to reforestation in Madagascar specifically, not just "trees somewhere," that specificity converts. A few things merchants consistently report after adding GoodAPI: - Customers mention the tree planting in reviews, often by name or project - Social sharing around orders goes up, particularly for gift purchases - The sustainability angle becomes a natural part of customer service conversations This is not accidental. When you give people something concrete and real, they engage with it differently than they engage with abstract pledges. ## A Word on Greenwashing and Why Verification Matters Madagascar has, unfortunately, also been the site of some tree planting schemes that attracted controversy. Investigations found cases where trees were planted in areas they could not survive, or where the economic benefits to local communities were minimal relative to the marketing value extracted. These failures are worth acknowledging because they are why verification standards matter so much. Veritree was built specifically to address this problem. The platform is independent, the data collection happens in real time on the ground, and the project standards require ongoing monitoring, not just a one-time planting count. When GoodAPI routes trees through Veritree, merchants are not taking a reforestation claim on faith. They are getting documented, auditable data on what happened to the trees their customers helped fund. That is increasingly what corporate customers, enterprise buyers, and sustainability-conscious investors expect. For Shopify merchants, it is also the foundation of claims you can actually stand behind. ## How to Connect Your Store If you are running a Shopify store and want to start planting trees in Madagascar (and across GoodAPI's global portfolio of projects), the setup takes about five minutes. 1. Install the [GoodAPI app](https://apps.shopify.com/tree-planting) from the Shopify App Store 2. Connect your store and set your planting rule (per order, per product, per trigger) 3. Your customers start contributing to verified reforestation projects from their very first purchase The app includes a widget you can add to your cart, checkout, and thank-you pages so customers see the impact in real time. Madagascar, Kenya, Brazil, and ocean plastic removal projects are all part of the GoodAPI project portfolio, which you can explore at [thegoodapi.com/our-projects](/our-projects/). ## The Bigger Picture Madagascar's forests will not be saved by any single company or any single technology. But the combination of transparent verification, local community employment, and accessible funding mechanisms for businesses is genuinely different from what existed five years ago. When a merchant plants a tree with every order on their Shopify store, they are participating in something that was not practical at scale until recently. Every order, no matter how small, can generate a verified impact event with a GPS coordinate attached to it. That tree gets monitored for years, tended by someone in Madagascar whose livelihood depends on it thriving, in a forest that the whole planet has a stake in seeing survive. For customers, that is a real reason to choose one store over another. For merchants, it is a lever that builds brand loyalty, drives social sharing, and anchors your sustainability credentials in something auditable rather than aspirational. [Install GoodAPI on Shopify](https://apps.shopify.com/tree-planting) and start funding Madagascar reforestation with every sale. --- # Shopify Sustainability Badge: Show You're Planting Trees URL: https://www.thegoodapi.com/blog/shopify-sustainability-badge/ Description: Add a sustainability badge to your Shopify store to show customers you plant trees with every order. Here's how GoodAPI badges work and where to place them. Published: 2026-03-23 Your customers want to know your brand actually does something good for the planet. Not a vague promise buried in an "About" page. Not a footnote in your shipping policy. They want to see it at the moment it matters most: right before they hit "Buy." That's exactly what a Shopify sustainability badge does. It's a small, visible signal that says "this order plants a tree" or "this purchase removes plastic from the ocean." Two seconds of reading. A meaningful reason to follow through. If you're already planting trees or removing ocean plastic with every sale through GoodAPI, adding a sustainability badge to your Shopify store is the final step in making that impact visible to the customers who are actually driving it. ## Why Visibility Matters More Than You Think Here's a problem a lot of sustainability-focused merchants run into: they're doing the right thing, but no one knows about it. You've set up GoodAPI. Trees are being planted in Kenya, Madagascar, or Brazil with every order. Plastic is being removed from coastlines in the Philippines. But if none of that is visible in your store, customers can't factor it into their decision to buy from you, tell a friend about you, or come back for a second order. Consumer skepticism about environmental claims is at an all-time high. Research consistently shows that a majority of shoppers have encountered misleading or unverifiable sustainability claims from brands. That skepticism is entirely justified given how much greenwashing exists in e-commerce marketing. The way to cut through that skepticism is not more promises. It's visible, verifiable proof. A badge that says "1 tree planted per order" backed by GPS-tracked, geolocated planting through a verified reforestation partner like Veritree is categorically different from a generic "eco-friendly" sticker. It's a claim your customers can actually investigate. ## What the GoodAPI Sustainability Badge Is The GoodAPI badge is a customizable marketing asset that shows your customers the environmental impact of their purchase, directly on your storefront. It communicates, at a glance, that a real action will happen as a result of their order. The badge can display different messages depending on how you've configured your GoodAPI impact settings: - "This order plants 1 tree" - "This purchase removes plastic from the ocean" - "You've helped plant X trees so far" - Impact counters that update in real time as your store grows The badge is backed by real verified impact. When a customer sees the badge and decides to dig deeper (and some will), the trail leads to Veritree, a verified reforestation organization that tracks every planting with GPS coordinates, geotagged photos, and survival monitoring through the critical first years of growth. That level of transparency is what separates a meaningful badge from a marketing decoration. ## Where You Can Place the Badge on Your Shopify Store This is where things get flexible. GoodAPI supports badge placement across your entire Shopify storefront, and the best approach is to show it at multiple points in the customer journey rather than just one. **Homepage and product pages.** Shoppers who land on your homepage or browse your products are forming their first impression of your brand. A subtle badge here, perhaps in the header, below your hero image, or on product detail pages near the "Add to Cart" button, introduces your sustainability commitment early. It plants the idea before they get to checkout. **Cart page.** By the time a customer reaches their cart, they've already decided they want to buy something. A badge here reinforces their decision. Seeing "Your order will plant 2 trees" at this stage is one of the most effective placements for reducing cart abandonment, because it adds a positive consequence to completing the purchase. **Checkout page.** The checkout page is the highest-intent moment in a customer's session. If there's one place to show your sustainability badge, this is it. Research across 800+ e-commerce brands found that displaying a sustainability badge at checkout is associated with a 12% uplift in checkout conversion rates. That's a meaningful number given that even small improvements in checkout conversion compound significantly over a full year of orders. **Thank-you page.** The order confirmation page is often overlooked as a sustainability touchpoint, but it's actually a powerful one. Showing "Your order just planted a tree in Kenya" after a completed purchase reinforces the positive feeling of having bought from your store. It gives customers something worth sharing, and it makes the experience more memorable. **Footer and static pages.** A persistent badge in your store's footer or on a dedicated sustainability page gives customers who want to research your claims a clear starting point. GoodAPI's badge implementation is no-code for most themes, so there's no developer needed to get started. For more detailed setup steps, the [GoodAPI help center](https://www.thegoodapi.com/help/) walks through badge installation for the most common Shopify themes. ## How to Add the GoodAPI Badge to Your Shopify Store The setup process is straightforward. After installing [GoodAPI from the Shopify App Store](https://apps.shopify.com/tree-planting) and configuring your impact settings (how many trees per order, which projects to support, etc.), the badge is available inside your GoodAPI dashboard. From there, you can: 1. Select the badge style that fits your store's branding. GoodAPI provides a library of badge designs, and you can customize color and copy to match your theme. 2. Choose where to display it. The app dashboard lets you toggle placements on and off, including cart, checkout, homepage, and product pages. 3. Preview and publish. Changes are live immediately without touching any code. For merchants on custom themes, GoodAPI also provides a snippet you can drop into your Liquid templates. The help documentation covers both routes clearly. ## Best Practices for Shopify Badge Placement Not all badge placements are equal. Here are the patterns that tend to perform best: **Prioritize above the fold on the cart page.** If you can only pick one placement, make it the cart. The badge should be visible without scrolling. Customers who are actively reviewing their order before checkout are the most receptive to a sustainability signal at that moment. **Be specific in your badge copy.** "Plants 1 tree per order" outperforms "eco-friendly" every time. Specificity signals verification. Customers who see a vague claim are skeptical; customers who see a concrete claim are curious. **Link the badge to a project page.** GoodAPI's project pages for Kenya, Madagascar, Brazil, and other locations show customers exactly where their trees are going. Linking your badge to [your projects](/our-projects/) transforms a static graphic into an interactive proof point. **Match the badge to your brand voice.** If your brand is playful, the badge copy can reflect that. If you're selling premium goods and your brand is serious and minimal, keep the badge subtle. The goal is to make it feel native to the shopping experience, not bolted on. **Add it to post-purchase emails.** This isn't technically a store badge, but extending the sustainability message into your confirmation emails and post-purchase flows keeps the impact visible beyond the storefront and drives word-of-mouth. GoodAPI integrates with common Shopify email flows via the [integrations page](/integrations/). ## Sustainability That Shoppers Can Actually Verify The reason the GoodAPI badge converts is not just because it looks good or because sustainability is a marketing trend. It's because the claim behind it is verifiable. Every tree planted through GoodAPI is tracked through Veritree, a verified reforestation organization that provides GPS coordinates, species data, and photos from the planting site. Trees are monitored through their first years of growth to ensure survival. When a customer sees "this order planted a tree in Kenya" and decides to Google it, they find real project pages with real data, not a generic carbon credit receipt. That traceability is what turns a badge from a marketing asset into a trust asset. And trust is what drives the kind of customer loyalty that shows up in second purchases, referrals, and reviews. You can see the projects your customers are supporting at [thegoodapi.com/our-projects](/our-projects/). The Kenya Mangroves project, Madagascar Highland Forests, and Brazil Atlantic Mangroves all have dedicated pages with project details, impact maps, and reporting from Veritree. ## Getting Started If you already have GoodAPI installed and haven't added the sustainability badge yet, that's the most immediate thing you can do to make your impact visible. Head into your GoodAPI dashboard, navigate to the badge settings, and switch on the placements you want. If you haven't installed GoodAPI yet, you can get started in under five minutes. The app is available on the [Shopify App Store](https://apps.shopify.com/tree-planting) and includes a free trial so you can test the badge on your store before committing. Your customers already care about where their money goes. Give them the visual confirmation that choosing your brand means choosing to do something real for the planet. That's what a sustainability badge is for. --- # Kenya Mangroves: How Your Sales Restore the Coast URL: https://www.thegoodapi.com/blog/kenya-mangroves-shopify-impact/ Description: Kenya's mangroves store 5x more carbon than land forests and support 800,000 coastal fishers. Learn how Shopify merchants help restore them with every sale. Published: 2026-03-22 There's a type of forest that grows at the edge of the sea. Its roots curl into saltwater. Its canopy shelters fish, birds, and crabs. And it quietly pulls carbon from the atmosphere at a rate that puts even the Amazon to shame. Kenya's mangrove forests are among the most productive ecosystems on the planet. They stretch across more than 60,000 hectares of coastline, from Lamu County in the north to Kwale County in the south. And they are disappearing fast. Kenya has lost half of its mangrove forests in the past 50 years. The coastline sheds another 0.7% each year to development, erosion, and overexploitation. Once a mangrove stand is gone, the fish nurseries it supported, the carbon it held, and the storm protection it provided go with it. This is the project your Shopify store is helping to reverse. ## Why Kenya Mangroves Matter More Than You Think Most people think of forests as trees on hillsides. Mangroves grow somewhere harder to picture: in the brackish, tide-washed zones where rivers meet the Indian Ocean. But their ecological value is extraordinary. Mangroves store up to five times more carbon per hectare than terrestrial forests. Where a tropical rainforest might lock away 200 tonnes of carbon per hectare, a healthy mangrove stand stores closer to 1,000 tonnes in its biomass, root systems, and underlying soils. UNEP estimates that global mangroves collectively sequester 22.8 million tonnes of carbon every year. That carbon stays locked in place as long as the forest stands. Beyond carbon, mangroves are irreplaceable habitat. More than 1,500 species of fish, amphibians, and mammals depend on them. The knotted root systems act as nurseries for juvenile fish, which is why mangrove health is directly tied to the productivity of Kenya's inshore fisheries. In Lamu alone, mangroves contribute nearly $85 million per year to the national economy and support around 800,000 artisanal coastal fishers. At least 70% of the timber and fuel wood needs of coastal communities in Kenya are met from mangrove forests. The numbers tell a clear story: these forests do far more work, for far more people, than almost any other ecosystem of similar size. ## The Scale of the Crisis Kenya once had some of the most extensive mangrove coverage in East Africa. Over the last five decades, pressures from coastal urbanization, unsustainable aquaculture, demand for timber and charcoal, and the compounding effects of climate change have stripped away roughly half of that coverage. When mangroves are cleared or degraded, the damage is cascading. Coastlines lose their natural buffer against storm surges. Fish populations decline as nursery habitat disappears. Carbon stored over centuries gets released into the atmosphere. Communities that relied on those forests for food and income face poverty and food insecurity. The Kenyan government launched an Integrated Mangrove Ecosystem Management Plan targeting full restoration by 2027, with 10 million mangrove propagules planted in 2024 alone as part of a broader national directive to grow 15 billion trees within a decade. That ambition is real, but it requires sustained on-the-ground effort and funding to deliver. ## How Verified Restoration Works in Kenya Planting a tree and restoring a mangrove forest are two different things. Genuine restoration means placing the right species in the right hydrological conditions, ensuring seedlings survive the critical establishment phase, and monitoring outcomes over years rather than weeks. GoodAPI's reforestation partner, Veritree, takes a science-first approach to exactly this kind of work. In Kenya, Veritree has partnered with EarthLungs Reforestation Foundation to restore mangrove forests across Kenya and Tanzania, covering more than 3,200 hectares combined. The partnership uses satellite imagery and AI-assisted monitoring to track tree survival rates through the vulnerable first five years of growth, when saplings are most at risk from tidal fluctuations, grazing, and drought stress. Every tree planted through GoodAPI is geolocated, tracked, and supported through its critical first years. Merchants and their customers can see real project data, not just a certificate. The work is community-based: local women's groups and youth cooperatives in coastal villages are employed in seedling nurseries and planting crews, generating income and environmental skills simultaneously. EarthLungs also provides long-term employment and health insurance to restoration workers, making this a livelihood project as much as an ecological one. This is the meaningful difference between verified impact and greenwashing. The trees are real, the locations are documented, and the communities doing the work are invested in the long-term success of the project. ## What a Kenya Mangroves Project Means for Your Customers If you run a Shopify store and you care about the impact your brand has on the world, this is worth explaining to your customers. Every sale you make can now contribute to Kenya mangrove restoration. When you connect GoodAPI to your store, you choose an action tied to each order: plant a tree, remove ocean-bound plastic, or both. The Kenya mangroves project is one of the verified reforestation sites in the GoodAPI network, meaning your customers' purchases are directly tied to coastal restoration work happening right now in East Africa. That's a story that converts. Shoppers increasingly want to buy from brands that can show their environmental commitments are real rather than aspirational. "We plant verified, geolocated trees on the Kenyan coast with every order" is a different kind of claim than "we're committed to sustainability." One is measurable. The other is noise. Research consistently shows that sustainability programs improve customer retention and repeat purchase rates, particularly among millennial and Gen Z buyers. The brands that are building loyalty through environmental impact aren't doing it through vague pledges; they're doing it through specific, verified actions that customers can actually see. ## Building Internal Links to Kenya's Coast One thing the SEO data makes clear is that GoodAPI's Kenya project page, `/tree-planting-kenya`, has been generating consistent search impressions from people actively looking for Kenya tree planting and Kenya mangroves content. That traffic is real interest from real people. If you're a Shopify merchant, that page is worth visiting. It gives you the specifics on where the work is happening, which species are being planted, and how the Veritree verification process works. It's the kind of project transparency that builds the trust your customers are looking for. The broader GoodAPI project network spans mangrove restoration in Kenya, reforestation in Madagascar, and ocean-bound plastic removal, all verified through Veritree's geolocated tracking. You can explore the full project list at [thegoodapi.com/our-projects](/our-projects/). ## Getting Started If you want your store to contribute to Kenya mangrove restoration, the setup takes a few minutes. GoodAPI integrates directly with Shopify and lets you configure exactly what environmental action happens with each order, whether that's a single tree per purchase, a tree per item, or a custom trigger based on order value. The GoodAPI app is available on the Shopify App Store. Once installed, you choose your project, set your planting rules, and GoodAPI handles the rest: the verification, the reporting, and the impact widget that shows customers what their purchases are doing in the real world. [Install GoodAPI on Shopify](https://apps.shopify.com/tree-planting) and choose the Kenya mangroves project for your next order. The coastline is narrowing. The fish nurseries are shrinking. And the communities who have depended on these forests for generations are watching it happen in real time. Your next sale could be part of the recovery. --- *GoodAPI connects Shopify merchants with verified reforestation and plastic removal projects worldwide. All planting is tracked, geolocated, and verified through Veritree. Learn more at [thegoodapi.com/how-it-works](/how-it-works/).* --- # Ecologi Shopify Alternative: GoodAPI vs Evertreen URL: https://www.thegoodapi.com/blog/goodapi-vs-ecologi-vs-evertreen/ Description: Comparing the top Shopify tree planting apps: GoodAPI, Ecologi, and Evertreen. Pricing, verification, and features side by side. Published: 2026-03-21 If you've been using Ecologi for your Shopify store and something isn't quite working, you're not alone. Merchants searching for an ecologi shopify alternative are usually asking the same questions: Is there something cheaper? Is there something that verifies impact more rigorously? Is there something that doesn't go down when I'm in the middle of a busy sale? This post gives you an honest, side-by-side look at three of the most popular Shopify tree planting apps: Ecologi, Evertreen, and GoodAPI. We'll cover pricing, how each one actually works, how (or whether) they verify the trees being planted, and which type of merchant each is best suited for. No fluff. Just the comparison you need to make the right call. --- ## What All Three Apps Do (and Why It Matters) Each of these tools connects your Shopify store to a tree planting program, so that a tree gets planted automatically when a customer places an order. The appeal for merchants is clear: it adds a layer of purpose to the purchase, gives customers something to feel good about, and differentiates the brand in a market where sustainability messaging is increasingly table stakes. Beyond that core mechanic, the three platforms diverge pretty significantly. --- ## Ecologi: The Established Option Ecologi is the most widely known of the three. It has been around longer than the others, it has a recognisable brand in sustainability circles, and its Shopify app lets you configure planting triggers per sale, per order, or per dollar amount. **Cost:** Ecologi charges around $0.80 per tree. There's a free tier that covers the first 50 trees, which is generous for getting started, but costs add up quickly at scale. **Features:** Merchants can choose from a range of global reforestation projects, set monthly spending caps, and customise the on-store widget. The interface is straightforward, and setup is relatively quick. **Where merchants run into trouble:** The App Store reviews tell a mixed story. Some merchants report server errors, billing inconsistencies, and slower-than-expected support responses. For high-volume stores during peak seasons (Black Friday, product launches), reliability matters a lot, and a few merchants have flagged that Ecologi's infrastructure doesn't always hold up under pressure. **Verification:** Ecologi lists its project partners but doesn't make the verification methodology especially prominent. Merchants who care about being able to show customers exactly where, when, and how their trees were planted may find the level of transparency underwhelming. **Best for:** Merchants who want name recognition in the sustainability space and don't have a particularly high order volume or strict verification requirements. --- ## Evertreen: The Newcomer Evertreen is a newer entrant with a smaller user base. It bills itself on simplicity: the setup takes about two minutes, and merchants get a public forest profile on evertreen.com that they can share with customers as a proof-of-impact page. **Cost:** Evertreen doesn't publicly disclose its pricing, which makes direct comparison difficult. You'd need to contact them or install the app to get a quote. This can be frustrating for merchants doing due diligence. **Features:** Planting can be triggered per order or per dollar amount. The public forest profile is a genuine differentiator: it's a shareable page that shows your cumulative impact in a visual, customer-friendly format. For brands that lean heavily into sustainability storytelling, this is useful. **Where merchants run into trouble:** With only a small number of App Store reviews, there simply isn't enough data to assess long-term reliability, support quality, or edge cases. The five-star rating is promising, but it's hard to draw conclusions from a small sample. **Verification:** Like Ecologi, Evertreen doesn't detail its verification methodology in publicly available materials. The public forest profile is a transparency feature, but it's more of a display mechanism than an independent audit. **Best for:** Smaller merchants or newer stores that want a clean, lightweight setup and like the idea of a shareable impact page for social media and email campaigns. --- ## GoodAPI: The High-Volume, Dual-Impact Option GoodAPI takes a different approach. It's built primarily for Shopify merchants who want to move beyond tree planting as a marketing badge and toward sustainability as a verifiable, scalable part of how their business operates. ### Pricing At $0.43 per tree, GoodAPI costs roughly half what Ecologi charges. For a store planting 500 trees a month, that's a difference of $185 every month. Over a year, that's more than $2,200 in savings, without compromising on the number of trees planted or the quality of the programme. The breakdown of what goes where is also public: around $0.22 goes directly to reforestation partners, $0.18 covers operations and growth, and $0.03 covers payment processing. Merchants who want to understand exactly what they're paying for appreciate this level of transparency. ### Dual Impact: Trees and Plastic Removal This is the feature that most clearly separates GoodAPI from the alternatives. In addition to planting trees per order, GoodAPI lets merchants automatically remove ocean-bound plastic, measured in bottles, alongside every purchase. For a store that wants to make a credible claim about environmental impact, offering both reforestation and ocean plastic removal is meaningfully different from planting trees alone. Customers increasingly want to see specific, measurable actions, not just a general sustainability commitment. A checkout message that says "We plant a tree and remove 5 plastic bottles for every order" hits harder than "We plant a tree." ### Veritree Verification GoodAPI's reforestation partner is Veritree, a verified reforestation organisation with global projects. Every tree planted through GoodAPI is tracked, geolocated, and supported through its critical first years of growth. Veritree uses geospatial data, on-site photography, and independent third-party audits to verify that planting actually happened and that trees are surviving. This matters because "planted a tree" is one of the easiest claims to make and one of the hardest to substantiate. When a customer asks your brand "but did the trees actually get planted?", being able to point to Veritree's independent verification is a much stronger answer than a project listing on a marketing page. ### Review Volume and Merchant Satisfaction With over 300 App Store reviews at a 5.0/5 rating, GoodAPI has one of the largest verified review bases of any Shopify sustainability app. Reviews consistently highlight support quality, fast implementation, and zero impact on store load speed. Customer support being specifically praised across hundreds of reviews is a strong signal for merchants who've had bad experiences with unresponsive platforms. ### Features - Per-order triggers for both tree planting and plastic removal - Real-time impact dashboard for merchants and customers - Automated monthly sustainability reports - No negative effect on store performance - Setup under two minutes --- ## Side-by-Side Comparison | | Ecologi | Evertreen | GoodAPI | |---|---|---|---| | **Cost per tree** | ~$0.80 | Not disclosed | $0.43 | | **Dual impact (trees + plastic)** | No | No | Yes | | **Independent verification** | Limited | Limited | Veritree certified | | **App Store rating** | 4.8-4.9/5 | 5.0/5 | 5.0/5 | | **Review volume** | ~20 reviews | ~4 reviews | 300+ reviews | | **Real-time impact dashboard** | Basic | Forest profile | Full dashboard | | **Setup time** | Standard | 2 minutes | Under 2 minutes | | **Support reputation** | Mixed | Unknown | Consistently praised | --- ## Which One Should You Choose? If you're a small store just getting started with sustainability and want the simplest possible setup, Evertreen is worth a look. The public forest profile is a nice touch for social-first brands. If you've been with Ecologi and the costs or reliability issues have become a friction point, GoodAPI is the most direct replacement. You get more impact for less money, stronger verification, and a substantially larger track record of happy merchants. If you're a higher-volume store, or if your brand identity is genuinely built around verified environmental impact (not just the mention of it), GoodAPI's dual-impact model and Veritree certification put it in a different category entirely. --- ## The Bottom Line Searching for an ecologi shopify alternative usually comes down to two things: cost and trust. GoodAPI addresses both. At $0.43 per tree versus Ecologi's $0.80, the savings compound quickly. And with Veritree's independent verification behind every tree planted, you're not just planting trees. You can prove it. If you're ready to switch, or want to see what a more transparent, lower-cost, dual-impact sustainability programme looks like for your store, you can install the GoodAPI app directly from the Shopify App Store. [Install GoodAPI on Shopify](https://apps.shopify.com/tree-planting?utm_source=blog&utm_medium=organic&utm_campaign=ecologi-comparison) --- # LoyaltyLion Points Rewards: Plant Trees With GoodAPI URL: https://www.thegoodapi.com/blog/loyaltylion-points-rewards-tree-planting/ Description: Connect LoyaltyLion's points rewards to real tree planting. Learn how to set up GoodAPI so customers redeem loyalty points for trees planted on their behalf. Published: 2026-03-20 Every Shopify merchant running a loyalty program eventually hits the same wall: discount codes and coupon rewards stop working. Customers expect them, factor them into their buying decision, and then churn anyway when a competitor offers 10% off instead of 8%. Your loyalty program becomes a race to the bottom. The merchants breaking out of this cycle are the ones rewarding customers with something a coupon can never replicate: tangible environmental impact. When a customer redeems their LoyaltyLion points to plant a tree, they get a story they can share, a verified action they can see, and a reason to feel good about choosing your brand again. This guide explains exactly how to wire GoodAPI into LoyaltyLion so your points rewards do something meaningful. ## Why Sustainability Rewards Outperform Discounts Before diving into the setup, it's worth understanding why this works. The data is compelling. Research shows that 87% of consumers have a more positive image of companies that support environmental causes. Meanwhile, 55% of shoppers say they would choose one loyalty program over another specifically because it prioritises sustainability. Among Millennials and Gen Z, that preference is even stronger. The conversion math changes too. Members who redeem rewards spend 3.1 times more than members who don't. When your rewards are tied to real-world impact instead of a discount they could get anywhere, redemption becomes something customers actually want to do, not just a transactional mechanism for shaving money off their next order. Eco rewards also increase engagement by up to 50% without increasing your marketing spend, according to research from Ascendant Loyalty. One Earth Month campaign by a major recognition platform saw a 58% increase in redemption volume after switching to eco rewards. The reason is simple: planting a tree feels like an accomplishment. Getting a discount code feels like a transaction. ## How LoyaltyLion and GoodAPI Connect LoyaltyLion supports a feature called custom rewards. Instead of generating a discount code when a customer redeems points, a custom reward fires a webhook to a URL you specify. That webhook payload contains the customer details and the reward information. Whatever system is listening on the other end can take action. GoodAPI is the system listening on the other end. When you configure a LoyaltyLion custom reward with GoodAPI's webhook endpoint, the flow looks like this: 1. A customer accumulates enough loyalty points in your store. 2. They visit the loyalty panel and redeem their points for a tree (or a set number of trees). 3. LoyaltyLion fires a webhook to GoodAPI's endpoint. 4. GoodAPI triggers a verified planting event through Veritree, its reforestation partner. 5. The tree is assigned to a real project with GPS coordinates and tracked through its first years of growth. 6. The customer gets a confirmation, which can include their cumulative impact total. From the customer's perspective, it feels instant and personal. From the technical side, you're connecting two webhook-capable APIs with a simple configuration, no custom code required. ## Setting Up the Integration: Step by Step ### Step 1: Install GoodAPI on Your Shopify Store Start by installing the GoodAPI app from the Shopify App Store: [GoodAPI on Shopify](https://apps.shopify.com/tree-planting). Once installed, you can configure tree planting rules for orders, but for the LoyaltyLion integration you will specifically be using the API-triggered planting feature. Inside GoodAPI, navigate to your API settings and locate your API credentials. You will need these in later steps. ### Step 2: Configure a Custom Reward in LoyaltyLion In your LoyaltyLion dashboard, go to Rewards and select "Create a reward." Choose "Custom reward" as the reward type. Give the reward a clear, customer-facing name. Something like "Plant 1 Tree" or "Plant 5 Trees" works well because it immediately communicates the action. Set the point cost to match the value you want to associate with planting. A common configuration is 100 points per tree, which creates a satisfying, round-number exchange. Under fulfillment method, select "Webhook." Enter GoodAPI's webhook endpoint URL. This is found in your GoodAPI dashboard under Integrations. Save the reward. LoyaltyLion will now send a webhook request to GoodAPI every time a customer redeems this reward. ### Step 3: Map the Webhook Payload to GoodAPI GoodAPI's webhook handler reads the customer information from the LoyaltyLion payload and translates it into a planting request. The payload includes the customer's email address, their name, the reward they redeemed, and the quantity. In GoodAPI, you can configure what happens when that webhook fires: - How many trees to plant per redemption. - Which Veritree project the trees should be attributed to (Kenya Mangroves, Madagascar Reforestation, and others are available). - Whether to send a confirmation email to the customer. If you want to route different reward tiers to different projects, you can create separate LoyaltyLion rewards each pointing to a distinct GoodAPI webhook configuration. For example, "Plant 1 Tree in Kenya" and "Plant 5 Trees in Madagascar" become two separate redemption options with different point costs. ### Step 4: Configure the Customer-Facing Confirmation One of the most important elements of a sustainability reward is the feedback loop. When a customer redeems points and nothing happens from their perspective except a points deduction, the reward loses its emotional value. GoodAPI includes a post-planting confirmation flow. After a webhook-triggered planting, you can enable an email that goes to the customer with: - The project name and location. - A visual map or photo of the planting site. - Their cumulative tree total across all plantings. - A link to their full impact summary. For storefront display, GoodAPI also provides an embeddable impact widget. This shows the customer their total trees planted, alongside a running total for your store. You can embed this widget on the loyalty panel page, the customer account page, or any page in your Shopify theme. ### Step 5: Test the Integration Before going live, run a test redemption using a customer account with sufficient points. Check that: - The webhook is received by GoodAPI (visible in your webhook logs). - A planting event is triggered. - The confirmation email reaches the customer. - LoyaltyLion marks the reward as fulfilled. LoyaltyLion treats a 2xx response from GoodAPI's webhook endpoint as a successful fulfillment. If GoodAPI returns a non-2xx status, LoyaltyLion will mark the redemption as failed and the customer's points will not be deducted. This is a useful safety net while testing. ## Example Configuration: 100 Points, 1 Tree For a practical reference, here is a configuration that works well for most mid-volume Shopify stores: - **Earn rate:** 1 point per $1 spent. - **Redemption option 1:** 100 points = 1 tree planted in Madagascar. - **Redemption option 2:** 500 points = 5 trees planted in Kenya Mangroves. - **Bonus event:** Double points on orders over $100 in a month when GoodAPI is also planting a tree automatically. Customers can reach the 100-point threshold after a single moderate purchase, which keeps the reward within reach without being trivial. The 500-point tier gives repeat customers something to work toward. Running both in parallel provides choice, which research consistently shows improves loyalty program participation. Because GoodAPI also supports automatic tree planting per order, you can combine both modes: every order automatically plants a tree at the merchant level, while customers can additionally use their points to plant more trees for themselves. This creates two distinct value layers in your store's sustainability story. ## Displaying Impact in Your Storefront LoyaltyLion exposes customer loyalty data through Shopify customer metafields, including points balance, tier, and reward history. GoodAPI similarly stores per-customer and per-store planting totals. You can surface this data directly in your Shopify theme using Liquid. A simple addition to the customer account template can show something like "You've planted 14 trees through your purchases and rewards." This kind of personalised impact messaging is consistently cited by sustainability-focused brands as one of their highest-performing retention hooks. If you use LoyaltyLion's on-site loyalty panel widget, consider adding GoodAPI's embeddable counter alongside it. The visual combination of "Your points: 340" and "Your trees planted: 7" reinforces the connection between spending and impact, which is exactly the brand story you want customers to carry into their next purchase decision. ## Why This Combination Works for Brand Differentiation Discount codes are a commodity. Every brand offers them. The moment you advertise 10% off, you attract price-sensitive shoppers who will leave the moment someone offers 11%. Tree planting is not a commodity. The GoodAPI integration with Veritree means every tree is geolocated, photographed, and monitored through its critical first years. Customers can verify their impact. That verification is the differentiator: it turns a loyalty program touchpoint into a credible brand commitment. For merchants in categories where brand values matter, including apparel, beauty, food, wellness, and home goods, a sustainability-backed loyalty reward can become a genuine acquisition tool. Customers talk about it. They share their impact summaries. A post that says "I've planted 20 trees shopping at this brand" reaches the brand's audience in a way that "I saved 10% with their loyalty code" never will. ## Getting Started The LoyaltyLion + GoodAPI integration is available to any Shopify store running both apps. If you are already on LoyaltyLion and want to add the tree planting reward, you can get started by installing the GoodAPI app from the Shopify App Store. If you are not yet on LoyaltyLion, GoodAPI works independently too. Every order can automatically plant a tree or remove plastic without requiring customers to redeem points at all. But for stores already invested in a points-based program, combining both gives you the best of both worlds: automatic impact at the order level, and customer-facing reward redemption that reinforces the story. Install GoodAPI on Shopify here: [https://apps.shopify.com/tree-planting](https://apps.shopify.com/tree-planting). To learn more about how GoodAPI works and which reforestation projects are available, visit [/how-it-works/](/how-it-works/) or browse [our projects](/our-projects/). --- # Plant a Tree for Every Shopify Order (Setup Guide) URL: https://www.thegoodapi.com/blog/tree-planted-per-order-shopify-guide/ Description: Learn how to set up a tree planted per order on your Shopify store in under 10 minutes. No coding required. Real trees, verified impact, happy customers. Published: 2026-03-19 Shoppers are paying closer attention to the brands they support, and one of the easiest ways to earn their loyalty is to do something tangible with every purchase. Having a tree planted per order is one of the clearest, most human signals your store can send: every time someone buys from you, something good happens in the world. This guide is written for Shopify merchants who want to add that kind of impact to their store without wading through technical documentation or hiring a developer. By the end, you will know exactly how to set it up, what your customers will see, and how to make the most of it. ## Why "Tree Planted Per Order" Works So Well Before getting into the steps, it is worth understanding why this particular sustainability mechanic resonates so strongly with shoppers. Unlike carbon offsets, which are abstract, or donations, which feel optional, planting a tree per order is immediate and concrete. Your customer buys a candle (or a pair of socks, or a piece of furniture), and a tree goes in the ground somewhere in the world. They can picture it. They can share it. It becomes part of the story of their purchase. The numbers back this up. Around 72% of global consumers say they are willing to pay more for products from brands that demonstrate real environmental commitment. Products marketed with sustainability claims are growing about 2.7 times faster than conventional alternatives. And for younger shoppers, particularly Millennials and Gen Z, sustainability is increasingly a deciding factor, not just a nice-to-have. The "tree per order" model also works because it scales naturally with your business. You are not committing to a fixed donation or a one-time campaign. Every order contributes, automatically, without you having to think about it after the initial setup. ## What You Will Need To get a tree planted per order on your Shopify store, you need three things: 1. A Shopify store (any plan works) 2. A tree planting app that connects to Shopify natively 3. About 10 minutes That is genuinely it. No webhooks, no custom code, no spreadsheets to maintain. GoodAPI is built specifically for this. The app connects to your Shopify store, lets you define your planting triggers, and handles everything else: the planting logistics, the verification, the customer-facing displays, and the impact tracking. Your trees are planted through Veritree, a verified reforestation organization with global projects. Every tree is geolocated, photographed, and tracked through its critical first years of growth so you can be confident the impact is real. Over 2,000 Shopify merchants have set this up through GoodAPI, and the app holds a 4.9 out of 5 rating on the Shopify App Store. ## Step 1: Install the GoodAPI App Head to the [GoodAPI app on the Shopify App Store](https://apps.shopify.com/tree-planting) and click "Add app." Shopify will prompt you to approve the installation, then redirect you to the GoodAPI dashboard. The first 50 trees are complimentary, so you can run the whole setup and test it without spending anything. After that, the cost is $0.43 per tree, billed based on your actual planting volume each month. There are no monthly subscription fees, no setup costs, and no minimum commitments. ## Step 2: Set Your "Tree Planted Per Order" Trigger Once you are inside the dashboard, the first thing to configure is your planting trigger. This is where you decide what action causes a tree to be planted. For most merchants, the answer is straightforward: plant one tree for every order placed. That is the "tree planted per order" model, and it is the most popular option for good reason. It is simple to explain to customers, easy to communicate in marketing, and it creates a direct link between purchasing and impact. You can also configure more granular options if you want: - **Per product:** Plant a tree for every unit sold of a specific product or product category. Useful if you want to focus the impact on a particular line. - **Per order value threshold:** Plant a tree for every order above a certain dollar amount. A good option if you have a wide range of order sizes and want to weight the impact toward larger purchases. - **Fixed monthly contribution:** Commit to a set number of trees per month regardless of order volume. Less connected to individual purchases, but simpler to plan around. For this guide, we will assume you are setting up the standard one tree planted per order trigger. ## Step 3: Choose Your Reforestation Project GoodAPI gives you a choice of active reforestation projects, all managed through Veritree. The projects span multiple countries and ecosystems, from mangrove restoration in coastal regions to highland forest planting in East Africa. You can pick a specific project if one aligns with your brand story (a clothing brand focusing on Kenya, for example, or a coastal lifestyle brand choosing a mangrove project), or you can let GoodAPI allocate trees across whichever projects have the greatest need at any given time. Every project provides verified impact data, including GPS coordinates, species planted, and survival monitoring. This is what makes the planting meaningful rather than performative: you are not just paying into a generic fund, you are contributing to tracked, geolocated trees. ## Step 4: Add the Impact Badge to Your Store Once your planting trigger is live, GoodAPI generates a customizable badge you can place on your storefront. Common placements include: - Product pages (just above or below the "Add to Cart" button) - The cart page - Checkout - Order confirmation emails The badge shows something like "One tree planted with every order" and links to your impact dashboard, where customers can see the total number of trees your store has planted, which projects they are in, and any photos or updates from the field. This is one of the most underused parts of the setup. Many merchants install the app, set the trigger, and then do nothing with the badge. That means they are planting trees but not getting any of the marketing benefit. Take the 5 minutes to add the badge to your product pages and confirmation email. It is one of the few trust signals that can actually increase conversion. ## Step 5: Tell Your Customers About It The badge does some of the work passively, but the biggest lift comes from actively communicating your commitment. A few easy ways to do this: **In your order confirmation email:** Add a line like "Your order just planted a tree in [project region]. Here's where it's growing:" with a link to your impact page. It is a genuinely pleasant thing for a customer to read after buying. **On your homepage or about page:** A short callout explaining that every order plants a tree, with a live counter showing your cumulative impact. Watching a number grow creates a sense of momentum for repeat customers. **On social media:** When you hit milestones (100 trees, 500 trees, 1,000 trees), share them. These posts tend to perform well because they are specific and verifiable, not just vague green claims. Your customers know they contributed to that number. **In product descriptions:** For products where sustainability is already part of the appeal, a line like "Every purchase plants one tree through Veritree's verified reforestation projects" adds a genuine reason to choose you over a competitor. ## How the Billing Works Because the cost is tied to order volume, it scales with your revenue. At $0.43 per tree and one tree per order, a store doing 200 orders a month is spending $86 on planting. A store doing 2,000 orders a month is spending $860. Most merchants find this to be a comfortable number relative to average order value. For a store with an AOV of $60 and 200 monthly orders, the planting cost represents about 0.7% of revenue. That is well within the range that makes sense as a sustainability investment, especially given the conversion and retention benefits. You can also set limits if you want to cap spending during a high-volume sale or a promotional period where your order count might spike unexpectedly. ## What Your Impact Looks Like Over Time ### A Merchant's View After 6 Months To make this concrete: a Shopify store doing 150 orders per month, running for six months, would plant 900 trees. At that volume, GoodAPI's dashboard shows you species-level data, project photos, and survival updates. You have a real story to tell. Nine hundred trees, all geolocated and tracked through Veritree. That is something meaningful to share in your annual impact report, your brand story, or a press pitch. ### Compounding Brand Value The impact compounds in another way too. Each time you share a milestone, you are generating content, building a reputation for following through on sustainability commitments, and differentiating yourself from competitors who are still making vague green claims without backing them up. Customers who care about this stuff remember. They come back. They tell friends. The long-term retention effect of a clear, verified sustainability commitment is harder to measure than conversion rate, but it is real. ## Getting Started If you have been thinking about adding sustainability to your store but were not sure where to start, the "tree planted per order" model is one of the lowest-friction options available. The setup takes about 10 minutes, the ongoing management is minimal, and the customer-facing impact is immediate and easy to communicate. You can install the GoodAPI app from the [Shopify App Store](https://apps.shopify.com/tree-planting) and start with the first 50 trees at no cost. By the time your free trees are planted, you will have a sense of how your customers respond and whether you want to keep it running. The trees are real. The verification is real. The only thing left is deciding whether you want to be one of the stores that does something with every order it takes. --- # Tree Planting for Marketing: A Brand Growth Guide URL: https://www.thegoodapi.com/blog/tree-planting-for-marketing/ Description: Learn how tree planting for marketing helps ecommerce brands boost loyalty, increase conversions, and stand out in a crowded market. Published: 2026-03-18 Your customers care about the planet. That is not a feel-good assumption. It is backed by hard numbers: 74% of consumers say environmental concerns influence their purchasing decisions, and sustainable products now account for nearly 25% of U.S. retail spending. For ecommerce brands looking for a genuine edge, tree planting for marketing is one of the most direct ways to turn that consumer sentiment into measurable business results. But tree planting is not just a badge you slap on your checkout page. Done right, it becomes a content engine, a loyalty driver, and a conversion tool that works across every stage of the customer journey. Here is how to make it work for your brand. ## Why Tree Planting for Marketing Works The idea is simple: for every order, subscription, or customer action, your store plants a real tree. The customer gets a tangible connection to positive impact. You get a story worth telling. What makes tree planting uniquely powerful as a marketing lever is that it is concrete and visual. Carbon offsets are abstract. Plastic credits are hard to explain in a social post. But a tree? Everyone understands a tree. You can photograph it, map it, and count it. Over 2,000 ecommerce merchants already use [GoodAPI](https://thegoodapi.com) to plant trees automatically with every order. Together, they have funded over 3.9 million verified trees across reforestation projects in Madagascar, Kenya, and other regions. That kind of collective impact is not just good for the planet. It is the kind of proof point that builds consumer trust. ## Tree Planting as a Brand Differentiator In a market where customers compare dozens of similar products, brand values tip the scale. Research from NielsenIQ shows that sustainability-marketed products grow 2.7 times faster than their conventional counterparts and command a price premium of nearly 28%. Tree planting for marketing gives you a story that competitors without an environmental commitment simply cannot match. When a customer chooses between two similar products and one of them funds verified reforestation, the decision becomes easier. This is especially true for younger buyers. 60% of Millennials and 59% of Gen Z are willing to pay more for products from sustainable brands. If your target demographic skews under 45, tree planting is not a nice-to-have. It is a competitive requirement. ### How to Position It The key is authenticity. Customers in 2026 are more skeptical than ever: only 20% believe brand sustainability claims outright, according to a recent Blue Yonder survey. That means you need to show your work. GoodAPI's reforestation partner, Veritree, provides verification for every tree planted. Trees are tracked, geolocated, and supported through their critical first years of growth. When you can point customers to real data about real trees in real locations, you move past vague "eco-friendly" messaging into genuine transparency. ## Practical Tree Planting Marketing Strategies Knowing that tree planting matters is one thing. Turning it into a marketing engine is another. Here are the channels and tactics that work best. ### Social Media Impact Posts Every tree planted is a piece of shareable content. Hit a milestone of 1,000 trees? That is a post. Reach 10,000 trees collectively with your customers? That is a campaign. Customers love being part of something bigger, and milestone posts consistently outperform standard product content in engagement. Use real project photos. Show the reforestation sites. Tag the locations. Authenticity drives engagement far more than polished stock imagery. ### Email Marketing and Automations Tree planting fits naturally into post-purchase email flows. After a customer completes an order, send a confirmation that includes the impact: "Your order just planted a tree in Madagascar." This kind of follow-up does two things. It reinforces the purchase decision (reducing buyer's remorse) and it gives the customer a reason to open your emails. You can also build milestone emails: "You have planted 10 trees with us this year. Here is where they are growing." These emails have higher open rates than standard promotional sends because they feel personal and positive. ### On-Site Badges and Widgets Trust badges increase conversions. Studies show that checkout pages displaying trust signals see up to 32% higher conversion rates. A sustainability badge, like a tree counter showing how many trees your store has planted, combines social proof with environmental impact. Place it in your product pages, your cart, and your checkout. [GoodAPI's how-it-works page](https://thegoodapi.com/how-it-works) explains how merchants can add tree planting widgets that display live impact data directly on their storefronts. ### Pre-Launch and Product Drop Campaigns Launching a new product? Tie it to tree planting. "For every unit sold in the first week, we will plant five trees." Scarcity and impact together create urgency. This works especially well for limited-edition or seasonal drops where you want to drive early momentum. ### Customer Retention and Loyalty Programs Tree planting integrates naturally with loyalty programs. Instead of (or in addition to) offering discounts for repeat purchases, let customers earn trees. "Every fifth order plants a bonus tree in your name." This kind of program builds emotional loyalty, not just transactional loyalty. Customers who feel they are building something alongside your brand are significantly less likely to churn. ## Measuring the ROI of Tree Planting for Marketing Marketing spend needs to justify itself, and tree planting is no exception. Here is how to track whether your investment in environmental impact is paying off. ### Conversion Rate Lift A/B test your checkout with and without a sustainability badge or tree planting message. Even a modest 5% lift on a store doing $100,000 per month in revenue translates to $5,000 in additional monthly sales, far exceeding the cost of planting a tree per order (which typically runs fractions of a cent to a few cents per tree, depending on your volume). ### Customer Lifetime Value Track whether customers who purchase during tree planting campaigns have higher repeat purchase rates than those who do not. The data from GoodAPI merchants suggests that stores with visible sustainability commitments see stronger retention, which directly impacts lifetime value. ### Email Engagement Compare open rates and click-through rates on impact-focused emails versus standard promotional emails. Many merchants find that tree planting milestone emails outperform discount-driven emails on engagement metrics. ### Social Proof and Referral Traffic Track shares and mentions that reference your tree planting program. User-generated content from customers who share their impact ("I just planted my 50th tree with [Brand]") is some of the highest-converting organic content you can earn. ## Getting Started in Under 10 Minutes Here is the good news: you do not need a sustainability team, a custom integration, or a six-month rollout. With GoodAPI, most Shopify merchants go from installation to live tree planting in under 10 minutes. 1. Install the [GoodAPI app from the Shopify App Store](https://apps.shopify.com/tree-planting). 2. Choose your planting trigger (every order, specific products, or custom rules via [Shopify Flow](https://thegoodapi.com/blog/shopify-flow-plant-trees-automation/)). 3. Select your reforestation project. GoodAPI partners with Veritree to offer verified projects across multiple regions. 4. Add the impact badge or tree counter widget to your storefront. 5. Start selling, and start planting. Every tree is verified, geolocated, and tracked. You get a public impact dashboard you can share with your customers, and the data to back up every claim you make. ## The Bottom Line Tree planting for marketing is not greenwashing. When it is backed by verified reforestation, transparent tracking, and real data, it is one of the most effective ways to build brand loyalty, increase conversions, and differentiate your store in a crowded market. The numbers tell the story: 72% of consumers will pay more for sustainable products. Sustainable products grow 2.7 times faster. And the merchants who act now, while tree planting is still a differentiator rather than a baseline expectation, will be the ones who benefit most. Your customers already care. Give them a reason to care about your brand specifically. [Add tree planting to your store in 10 minutes](https://apps.shopify.com/tree-planting) and turn environmental impact into your strongest marketing asset. --- # Real Tree Planting for Businesses: What It Means URL: https://www.thegoodapi.com/blog/real-tree-planting-for-businesses/ Description: Real tree planting for businesses means geotagged trees, verified survival rates, and audited impact. Here's how to tell the difference and pick the right provider. Published: 2026-03-17 Businesses planting trees with customer orders is no longer a niche marketing move. It has become mainstream, and for good reason: 78% of consumers say they are more likely to buy from a retailer that actively supports environmental causes, and 67% of Gen Z shoppers specifically prefer brands that can prove real environmental impact. But here is the problem. Not all corporate tree planting is created equal. For every company doing verified, science-backed reforestation, there are others making vague claims that do not hold up to scrutiny. The result is a growing consumer skepticism that punishes both bad actors and the legitimate programs trying to do things right. So what does real tree planting for businesses actually look like? And how can you tell the difference between a program that creates lasting impact and one that is mostly good photography and press releases? ## Why "Planting Trees" Is Not Enough on Its Own The phrase "we plant a tree with every order" has become so common that it has started to lose meaning. Consumers, regulators, and journalists are increasingly asking harder questions: Where exactly are these trees? Who planted them? Are they still alive? What happens if the forest burns down? These are not unreasonable questions. Research shows that survival rates in poorly managed planting projects can be as low as 50%. That means for every two trees a company claims to have planted, one may already be dead. Inefficient initiatives can also increase operational costs by 30 to 40% when species selection is wrong or monitoring is absent. Beyond the environmental failure, there is a serious business risk. Consumer trust damage from failed sustainability programs can reduce brand value by as much as 20%. And with regulators tightening standards globally, including the EU Green Claims Directive set to take effect in September 2026, Canada's Bill C-59, and the SEC's Climate and ESG Enforcement Task Force in the US, vague or unverifiable green claims are increasingly a legal liability, not just a PR one. Real tree planting for businesses means addressing all of this directly. ## The Five Markers of a Legitimate Tree Planting Program ### 1. Third-Party Verification Legitimate programs are not self-reported. The trees are planted, monitored, and verified by an independent organization with established standards. Look for partnerships with recognized bodies: Verra's Verified Carbon Standard (VCS), Gold Standard, or the Forest Stewardship Council (FSC). These organizations conduct rigorous independent audits and require consistent methodology. Without third-party verification, a company's tree count is essentially a self-reported number, like a restaurant grading its own hygiene. ### 2. Geolocated, Tracked Trees Real impact is traceable. The best programs assign GPS coordinates to individual planting sites, which means trees can be monitored over time and their status documented. This is important for two reasons. First, it proves the trees were actually planted. Second, it allows for ongoing survival tracking beyond the planting event itself. Programs that cannot show you where, geographically, your trees are located are a yellow flag. Programs that cannot show you how those trees are doing two years later are a red flag. ### 3. Long-Term Survival Support Planting is only step one. Trees, especially in tropical and subtropical reforestation zones, need active support through their early years of growth. That includes weed management, pest monitoring, water access, and protection from grazing animals or fire. A provider that plants and walks away is not offering a reforestation program. It is offering a photo opportunity. Legitimate programs fund not just planting but also the ongoing care that gets trees through their critical first three to five years. ### 4. Community Involvement The most durable reforestation projects are ones where local communities have a stake in the outcome. When local people are employed, trained, and invested in the forest's survival, they become its best long-term protectors. Programs that bypass local communities in favor of cheaper, faster planting operations often see higher failure rates and more frequent conflicts over land use. This also matters for ESG reporting: biodiversity and community co-benefits are increasingly required disclosures, not optional additions. ### 5. Transparent Reporting What gets measured gets managed. Credible programs publish regular updates with actual data: trees planted by species, by location, by survival rate, and by estimated carbon sequestration. The best providers integrate with reporting tools so businesses can see the real-time impact of their program and share that data with customers. If a provider cannot give you a report with specific numbers, ask why not. ## What Greenwashing Actually Looks Like Greenwashing in tree planting is rarely as obvious as making things up entirely. More often, it takes subtler forms: **Vague language without specifics.** Claims like "we're carbon-neutral" or "we offset our footprint" with no explanation of how, where, or through whom. The absence of certifications, project names, or methodology is a strong signal that the claims have not been independently verified. **Planting without permanence.** A tree planted in a location prone to deforestation, wildfire, or unsustainable land use is not a reliable carbon offset. If the forest is cleared five years after planting, the carbon is released back into the atmosphere and the "offset" effectively never happened. Legitimate programs address permanence by protecting planted areas through community agreements or land tenure protections. **Double-counting.** Some programs sell the same carbon reduction to multiple buyers, or sell credits from projects where reductions would have happened anyway (a problem called additionality). Without independent registry verification, it is difficult for buyers to know whether their credits represent real, additional reductions. **No survival monitoring.** Planting events are easy to document with photos. What is harder to document is whether those trees survived. Programs that cannot provide survival rate data one, three, or five years after planting should be treated with caution. ## How This Applies to E-Commerce Specifically For Shopify merchants and direct-to-consumer brands, the stakes of getting this right are particularly high. When you tell a customer at checkout that their order will plant a tree, you are making a promise on their behalf. If that tree was never monitored, the species was wrong for the region, or the planting site was cleared the following year, you have not delivered on that promise. That matters for customer trust. It also matters for brand reputation in an era where investigative journalists, NGOs, and sustainability watchdogs actively scrutinize corporate green claims. The good news is that the technology now exists to do this well without it being complicated. GoodAPI connects Shopify merchants to Veritree, a verified reforestation organization that runs global projects with GPS tracking, on-the-ground monitoring, and third-party verification. Every tree planted through GoodAPI is geolocated, tracked, and supported through its critical growth years. This means when a merchant tells their customer "your order planted a tree," that statement is backed by data, not just intent. ## The Business Case Beyond the Environment Real tree planting for businesses is not just about avoiding greenwashing liability. It is also a genuine commercial differentiator, when done right. Consider the gap between claiming sustainability and proving it. Most consumers have grown skeptical of generic claims. But a specific, verifiable statement, such as "your order contributed to a mangrove restoration project in Kenya, tracked and verified by Veritree," is a completely different conversation. It is specific, credible, and creates a genuine emotional connection. Merchants using GoodAPI consistently see sustainability as a lever for customer retention and increased cart values. Programs like this generate the kind of trust that generic "we care about the planet" messaging no longer can. The e-commerce brands that will stand out over the next few years are not the ones who add a green badge to their checkout. They are the ones who can back up what the badge says. ## Choosing a Provider: Questions Worth Asking If you are evaluating real tree planting for your business, here are a few questions worth asking any provider: - Which third-party body verifies your projects? - Can I see a current project report with survival rate data? - Are trees geolocated and individually tracked? - What happens if a planting site is deforested or damaged? - How are local communities involved in your projects? - What methodology do you use to calculate carbon sequestration? A provider that can answer all of these questions clearly, with evidence, is doing real work. One that deflects with generalities probably is not. ## What GoodAPI Does Differently GoodAPI partners with Veritree to fund reforestation projects where impact is tracked from day one, from [Madagascar's endangered forests](/blog/madagascar-tree-planting-project/) to [Kenya's coastal mangroves](/blog/kenya-mangroves-shopify-impact/). Trees are geolocated, photographed, and monitored. Survival rates are documented. Local communities are employed and supported. And Veritree's verification process provides the independent accountability that turns a good intention into a verifiable outcome. For Shopify merchants, this means the sustainability message at checkout is not just a marketing claim. It is a specific, trackable, scientifically grounded statement about what happened because a customer made a purchase. If you are ready to offer your customers real tree planting with every order, and back it up with the kind of data that holds up to scrutiny, GoodAPI is built for exactly that. You can install the app and start contributing to verified reforestation in minutes. [Install GoodAPI on Shopify](https://apps.shopify.com/tree-planting) and start turning every order into verified impact. Want to understand the full scope of what business reforestation looks like? Read our [complete guide to reforestation for businesses](/blog/reforestation-for-businesses-guide/). --- # Shopify Flow + GoodAPI: Auto-Plant Trees Per Order URL: https://www.thegoodapi.com/blog/shopify-flow-plant-trees-automation/ Description: Set up Shopify Flow to auto-plant a verified tree for every order, review, or signup. Step-by-step GoodAPI integration with no code required. Published: 2026-03-13 Most merchants think of tree planting as something that happens automatically with every order. That's a solid starting point. But what if every customer review, every email signup, every loyalty milestone, and every referral also triggered a tree? That's the power of combining Shopify Flow with GoodAPI's sustainability tools, and it's more accessible than you might think. This guide walks through exactly how to use Shopify Flow to plant trees for any trigger you choose, from the basics of connecting the GoodAPI app to advanced multi-trigger workflows that turn your entire store into an impact engine. ## What Is Shopify Flow, and Why Does It Matter for Sustainability? Shopify Flow is a free no-code automation platform built directly into Shopify. Available on all current plans (Basic, Grow, Advanced, and Plus), it lets merchants create workflows using a simple trigger-condition-action structure. A trigger is an event that sets things in motion, a condition is an optional filter that narrows down when an action fires, and an action is what actually happens. During a single Black Friday and Cyber Monday weekend in 2025, Shopify Flow executed 562 million workflows. The platform handles over 1 billion automated decisions every month. It's battle-tested infrastructure that your sustainability automations can run on without any additional cost. For merchants looking to build credible sustainability programs, Flow is the missing piece. Instead of a single blunt rule that plants one tree per order, you can create nuanced, trigger-rich campaigns that match your brand story. You can plant trees when customers leave reviews, when new shoppers create accounts, when someone completes a post-purchase survey, or when a subscriber joins your email list. Every touchpoint becomes an opportunity to make a real-world impact. ## How the Shopify Flow Integration Works with GoodAPI GoodAPI installs a native action into Shopify Flow called "Plant Tree." Once the GoodAPI app is installed on your store, this action becomes available inside the Flow builder, ready to be attached to any trigger you choose. The integration is bidirectional in the sense that GoodAPI handles both the default per-order planting (configured directly in the app's settings) and the Flow-based planting for custom triggers. These are separate channels, so you can run both at once without double-counting. A standard order might plant one tree through the app's native settings, while a customer who also leaves a review gets an additional tree planted through a Flow workflow. Pricing is transparent: $0.43 per tree and $0.05 per plastic bottle removed, with no monthly fee. The first 50 trees and 100 plastic bottles are free. This means your Flow-triggered impact scales linearly with your engagement, making it easy to budget. ## Setting Up Your First Shopify Flow Tree-Planting Workflow Here's a step-by-step walkthrough for creating a tree-planting workflow in Shopify Flow. This example plants a tree whenever a customer creates an account, a popular use case that rewards new shoppers and adds a meaningful welcome to the onboarding experience. ### Step 1: Install the Prerequisites Make sure both Shopify Flow and the GoodAPI app are installed on your store. Shopify Flow is available free from the Shopify App Store. GoodAPI is available at the [Shopify App Store](https://apps.shopify.com/tree-planting). Once both are installed, the GoodAPI "Plant Tree" action will appear automatically inside Flow. ### Step 2: Open Shopify Flow and Create a New Workflow From your Shopify admin, go to Settings, then Apps and sales channels, then open Shopify Flow. Click "Create workflow." ### Step 3: Select Your Trigger Click "Select a trigger" and choose "Customer created." This fires every time a new customer account is created on your store. Other useful triggers include "Order created," "Review submitted" (requires a review app with Flow integration), "Form submitted," and customer tags being added or removed. ### Step 4: Add an Optional Condition Conditions let you narrow the scope. For the customer-creation workflow, you might add a condition like "Customer accepts marketing is true" so only subscribers get the tree planted on their behalf. This is optional but helps you keep your impact tied to engaged customers. ### Step 5: Add the "Plant Tree" Action Click the plus icon below your trigger (and condition, if you added one), select "Then," and search for GoodAPI in the actions list. Select "Plant Tree." You'll see a configuration panel where you can choose the number of trees to plant and the planting project to support. GoodAPI works with Veritree, a verified reforestation partner that operates projects across multiple countries. You can select a specific project or let the app balance planting across its active portfolio. ### Step 6: Name and Activate the Workflow Give the workflow a clear name, such as "Plant tree on new customer signup," and click "Turn on workflow." That's it. Every new customer who creates an account will now have a real tree planted in their honor, automatically, with no ongoing work from you. GoodAPI's help center has a dedicated article on this setup with screenshots of each step: [How to use Shopify Flow to plant trees](https://www.thegoodapi.com/help/shopify/how-to-use-shopify-flow-to-plant-trees/). It walks through a review-based workflow in detail, which is a great companion to the customer-signup example above. ## Beyond Orders: Creative Trigger Ideas for Shopify Flow Tree Planting The real value of the Shopify Flow integration is how it breaks the one-to-one order/tree relationship and lets you build more nuanced engagement loops. Here are some workflows worth considering: **Review-based planting.** Connect a review app like Air Reviews or Yotpo (both support Shopify Flow) so that a tree is planted every time a customer submits a review. This creates a virtuous cycle: reviews improve conversions, and the tree-planting reward gives customers one more reason to share their feedback. **Post-purchase survey completion.** If you run post-purchase surveys through tools like Kno Commerce or Fairing, you can plant a tree when a customer completes the survey. Response rates tend to increase when customers know their engagement has a real-world outcome. **Loyalty tier upgrades.** If you use a loyalty app that integrates with Flow, you can plant a tree each time a customer reaches a new tier. "You've just hit Gold status, and we've planted a tree in your name" is a much more memorable milestone message than a simple points update. **High-value order thresholds.** Create a condition that fires only when an order exceeds a certain cart value. For instance, orders over $200 could trigger two additional trees beyond the standard one. This rewards your best customers and makes high-AOV purchases feel even more significant. **Email list signups.** If your email platform integrates with Flow (Klaviyo and Mailchimp both have Flow connectors), you can plant a tree each time someone subscribes. This ties your sustainability program directly to your list growth. ## Displaying Your Impact to Customers Planting trees without telling customers about it misses most of the marketing value. GoodAPI includes customizable impact badges and widgets that you can place on product pages, the cart, the checkout, the thank-you page, and in post-purchase emails. The badges update dynamically to reflect your cumulative impact. Because your Flow workflows extend planting beyond orders, consider including a note in your customer account area or a dedicated impact page that explains what drives your planting. Transparency here builds real trust: "We plant one tree for every order, plus one tree when you review a product, plus one tree when you join our community." That's a sustainability story customers can follow and participate in, not just observe. ## Why Verified Tree Planting Matters More Than Volume Running hundreds of trees through Flow workflows means nothing if the trees aren't actually planted and tracked. This is worth calling out explicitly, because the sustainability app space has apps that use lower-cost, lower-accountability planting providers. GoodAPI partners with Veritree, a verified reforestation organization with projects around the world. Planting through GoodAPI means the trees are tracked, geolocated, and supported through their critical first years of growth. You can point customers to real project data, not just a number on a badge. This level of verification is increasingly important. According to NielsenIQ's 2024 research, 78% of consumers are more likely to buy from a retailer that actively supports environmental causes, but consumer skepticism about greenwashing is also at an all-time high. Verified impact is what separates a credible sustainability program from a marketing claim. ## Practical Notes for Setup A few things worth knowing before you build your workflows: If you're using a review app trigger, check that the app has its Shopify Flow integration enabled in its settings. Some apps have this turned off by default. Air Reviews and Yotpo both have a toggle you need to activate before their events appear in Flow. Test every workflow before turning it on. Flow has a testing mode that lets you simulate a trigger without actually planting a tree or spending anything. Use it. If you're running both GoodAPI's native per-order setting and a Flow workflow for orders, be careful not to plant trees twice per order. Use Flow for the custom triggers and let the app's native settings handle standard order planting. GoodAPI's support team is available via chat in the app dashboard and can walk you through any setup questions. The average setup time for a basic workflow is well under 10 minutes. You can also consult the [Shopify Flow setup guide in GoodAPI's help center](https://www.thegoodapi.com/help/shopify/how-to-use-shopify-flow-to-plant-trees/) for a visual walkthrough with screenshots of the exact Flow configuration. ## Getting Started The Shopify Flow integration with GoodAPI is one of the most flexible sustainability tools available to Shopify merchants. Whether you're looking to plant trees per order, per review, per signup, or per loyalty milestone, the same underlying technology handles it all: a no-code workflow, a verified planting action, and a real-time impact counter your customers can see. If you're not yet using GoodAPI, you can install it from the [Shopify App Store](https://apps.shopify.com/tree-planting) and start with the first 50 trees free. If you're already a GoodAPI merchant and haven't explored the Flow integration yet, head to your app dashboard and look for the Shopify Flow section to see the available actions and workflow templates. Your customers are already making purchases. With Shopify Flow, every action they take can become a reason to plant something real. --- # Best Shopify Tree Planting Apps (2026 Comparison) URL: https://www.thegoodapi.com/blog/best-shopify-tree-planting-apps-2026/ Description: We tested 6 Shopify tree planting apps in 2026. Only 2 offer GPS-verified proof of impact. Here's the full comparison with pricing and features. Published: 2026-03-12 If you run a Shopify store and want to plant trees with every purchase, you are not short on options. The Shopify App Store now has more than half a dozen tree planting apps, each with a slightly different approach to pricing, verification, and customer engagement. Picking the right one matters. The wrong fit can mean wasted budget, poor customer experience, or worst of all, greenwashing accusations that damage your brand. We put together this comparison to help merchants evaluate the best Shopify apps that plant trees automatically with every order. We looked at pricing models, review scores, project verification, setup difficulty, and the range of environmental actions each app supports. Whether you sell handmade candles or run a high-volume DTC brand, one of these apps should fit your workflow. ## What to Look for in a Shopify Tree Planting App Before diving into individual apps, it helps to know what separates a good tree planting integration from a mediocre one. **Verification and transparency** come first. Your customers (and increasingly, regulators) want proof that trees are actually being planted. Look for apps that partner with verified reforestation organizations and provide some form of tracking, whether that is GPS coordinates, photo evidence, or third-party audit trails. **Pricing flexibility** matters too. Some apps charge a flat monthly fee, others use a per-tree model, and a few combine both. The best option depends on your order volume. A store doing 50 orders per month has very different economics than one processing 5,000. **Customer-facing features** like impact badges, storefront widgets, and post-purchase dashboards can turn a behind-the-scenes donation into a conversion driver. Several studies from Shopify merchants show that visible sustainability commitments increase checkout conversion rates and repeat purchases. Finally, consider whether you want **tree planting only** or a broader sustainability toolkit that includes plastic removal, carbon offsets, or ocean cleanup. ## The Best Shopify Tree Planting Apps for 2026 ### 1. GoodAPI: Plant Trees, Clean Seas **Rating:** 4.9/5 (200+ reviews) | **Impact types:** Tree planting, ocean-bound plastic removal | **Setup time:** Under 2 minutes GoodAPI has been one of the most popular Shopify sustainability apps for several years, and it remains a strong pick in 2026. The app is fully embedded in Shopify, meaning it runs natively inside the Shopify admin and checkout without redirecting merchants to an external dashboard. You can configure triggers per order, per product, percentage of order value, tiered spend thresholds, or a fixed amount per transaction, giving you fine-grained control over your sustainability budget. What sets GoodAPI apart is the combination of volume and verification. Over 2,000 merchants have collectively planted more than 3.9 million trees through the platform, and every tree is verified through the Veritree platform. That means GPS-tagged planting records and third-party audits, not just a receipt saying "we donated." On the storefront side, GoodAPI offers over 10 customizable impact badges, the most of any app in the Shopify App Store. These include product page badges, cart widgets, and customer profile badges that let shoppers see their personal impact based on their own order history. The app also supports non-purchase triggers, so you can plant a tree when a customer leaves a review, subscribes to your email list, or completes a referral. This turns sustainability into a full customer lifecycle tool, not just a checkout add-on. GoodAPI integrates with Shopify Flow for advanced automation scenarios (for example, planting extra trees for orders above a certain value or for repeat customers) and with Klaviyo for automated post-purchase storytelling that keeps customers engaged with the impact their purchases create. Pricing follows a per-impact model. Tree planting starts at $0.43 per tree and plastic removal at $0.05 per bottle. There is no mandatory monthly platform fee on the free tier, which makes it accessible for smaller stores that want to start with low volume and scale up. The main limitation is that GoodAPI focuses specifically on tree planting and plastic removal. If you need carbon offsets or other impact types bundled into one app, you will need to look elsewhere. GoodAPI is also one of the few sustainability apps to earn the Built for Shopify badge, meaning it has passed Shopify's strictest quality, performance, and security requirements. **Best for:** Merchants who want the most complete Shopify sustainability platform, with strong verification, non-purchase triggers, and a simple setup. [Explore GoodAPI on the Shopify App Store](https://apps.shopify.com/tree-planting) ### 2. Greenspark **Rating:** 5.0/5 (60+ reviews) | **Impact types:** Tree planting, plastic rescue, carbon offsets | **Setup time:** ~5 minutes Greenspark has earned a perfect 5.0 rating on the Shopify App Store, and that score is not accidental. The app offers one of the most flexible sustainability toolkits available, combining tree planting with plastic rescue and carbon offsetting in a single dashboard. Merchants can attach impact to a variety of triggers: per order, per product, percentage of order value, tiered spend thresholds, or a fixed amount per transaction. This level of customization is genuinely useful for stores that want fine-grained control over their sustainability budget. Greenspark's customer engagement features are also worth noting. The app includes post-purchase impact dashboards where customers can see exactly what their purchase contributed to, along with customizable widgets and badges for product pages, cart, and checkout. According to Greenspark's published data, merchants using the app report an average 12% increase in checkout conversion and 16% higher average order values. Pricing ranges from a free plan to $99/month depending on features, with per-impact costs on top. The overall cost can be higher than simpler apps if you use all the features, but the conversion uplift data suggests the ROI is there for stores that actively promote their sustainability story. The trade-off is complexity and platform integration. Greenspark offers a lot of options, which can feel overwhelming for merchants who just want to plant a tree per order and move on. It is also not fully embedded in Shopify, so some configuration and reporting happens outside the Shopify admin. If you want advanced automation and rich analytics, Greenspark delivers. If you want a native Shopify experience, it might not be the right fit. **Best for:** Mid-size to large Shopify stores that want multiple impact types, advanced triggers, and detailed customer engagement features. [View Greenspark on the Shopify App Store](https://apps.shopify.com/greenspark) ### 3. Ecologi **Rating:** 4.8/5 (25+ reviews) | **Impact types:** Tree planting, carbon removal | **Setup time:** ~5 minutes Ecologi is one of the more established names in the climate action space, and their Shopify app brings that brand recognition to your store. The app automatically plants a tree for every sale and supports carbon removal projects in locations from Scotland to Madagascar. Pricing is straightforward: $0.80 per tree and $0.28 per kilogram of carbon removal. New merchants get their first 50 trees free, which is a nice way to trial the service without committing budget upfront. Ecologi's strength is brand trust. The name carries weight with environmentally conscious consumers who may already have personal Ecologi accounts. For certain audiences, seeing "powered by Ecologi" on your checkout page can be a conversion signal in itself. The downside is that Ecologi's Shopify app is relatively basic compared to competitors. The automation triggers are less flexible, and the storefront widgets are simpler. If you need per-product configuration or advanced Shopify Flow integrations, you will find other apps more capable. **Best for:** Stores that value brand recognition and want a well-known climate partner their customers already trust. [Check out Ecologi on the Shopify App Store](https://apps.shopify.com/ecologi) ### 4. Ecodrive **Rating:** 4.1/5 (15+ reviews) | **Impact types:** Tree planting, kelp planting, ocean plastic removal (via 4ocean) | **Setup time:** ~15 minutes Ecodrive positions itself as the most complete sustainability platform for e-commerce, and it backs that up with an impressive list of impact options. Beyond tree planting, you can fund kelp restoration and ocean plastic removal through their partnership with 4ocean. Every action is verified with geotags, photos, and video evidence. One feature worth noting is Ecodrive's ability to tie environmental actions to non-purchase events like reviews, email signups, and referrals. GoodAPI offers similar non-purchase triggers with deeper Shopify integration, but Ecodrive's Zapier connectivity makes it a good option if your automation stack extends well beyond Shopify. Ecodrive also integrates with over 7,000 platforms through Zapier, making it a good option for merchants who use tools beyond the standard Shopify ecosystem. The lower review count and rating (4.1/5) compared to competitors like GoodAPI and Greenspark suggests the app is still maturing. Some merchants report a steeper learning curve during setup. But for stores that want diverse impact types and creative engagement triggers, Ecodrive is worth evaluating. **Best for:** Brands that want to tie sustainability to multiple customer touchpoints beyond just checkout. [View Ecodrive on the Shopify App Store](https://apps.shopify.com/ecodrive-dashboard) ### 5. 1ClickImpact **Rating:** Newer app, limited independent reviews | **Impact types:** Tree planting, carbon capture, ocean cleanup | **Setup time:** 5-10 minutes 1ClickImpact takes a transparency-first approach to sustainability. The app lets merchants plant trees ($0.50 per tree), capture carbon ($0.50 per pound), and clean oceans ($0.70 per pound). What makes the pricing model different is that there are no monthly platform fees, just a flat per-impact cost. The standout feature is customer choice. Rather than automatically adding sustainability to every order, 1ClickImpact gives customers the option to participate. This "opt-in" model can feel more authentic, though it does mean your participation rates will be lower than with automatic triggers. 1ClickImpact also emphasizes media proof. Merchants and customers can access images and videos from actual planting projects, which is helpful for social media content and building public trust. They partner with verified nonprofits who provide GPS coordinates and visual documentation for every project. The main caveat is that 1ClickImpact is relatively new and most of the published testimonials come from their own marketing materials. Independent third-party reviews are still limited. Merchants who prioritize a proven track record may want to wait for more independent validation. **Best for:** Stores that want simple, transparent per-impact pricing with no monthly fees and a customer-choice model. [Explore 1ClickImpact on the Shopify App Store](https://apps.shopify.com/1clickimpact) ### 6. One Tree Planted at Checkout **Rating:** 4.6/5 (18+ reviews) | **Impact type:** Tree planting only | **Setup time:** ~5 minutes One Tree Planted takes a fundamentally different approach from the other apps on this list. Instead of the merchant funding tree planting behind the scenes, this app adds a $1 donation option at checkout that customers can choose to add to their order. Each dollar plants one tree through the One Tree Planted nonprofit. This model works well for stores that want to offer sustainability without absorbing the cost directly. It also resonates with customers who prefer to make their own contribution rather than having it built into the product price. The app is free to install and use. One Tree Planted is a 501(c)(3) nonprofit, so the donations may be tax-deductible for customers (consult a tax professional for specifics). The app includes a customizable widget and a dashboard to track trees planted across your store. The limitation is flexibility. You cannot configure per-product planting, tie trees to specific order values, or automate the process. The customer has to actively check a box at checkout. For stores where sustainability is a core brand pillar, an automatic approach may better align with the brand promise. **Best for:** Stores that want customers to opt in to tree planting without absorbing the cost, especially those who value the One Tree Planted brand. [View One Tree Planted on the Shopify App Store](https://apps.shopify.com/reforestation-app) ## Quick Comparison Table | App | Rating | Price Model | Impact Types | Auto-Plant? | Verification | |-----|--------|------------|-------------|-------------|-------------| | GoodAPI | 4.9/5 (200+) | Per-impact, free tier | Trees, plastic removal | Yes | Veritree | | Greenspark | 5.0/5 (60+) | $0-99/mo + per-impact | Trees, plastic, carbon | Yes | Audited projects | | Ecologi | 4.8/5 (25+) | Per-impact ($0.80/tree) | Trees, carbon | Yes | Verified global projects | | Ecodrive | 4.1/5 (15+) | Per-impact | Trees, kelp, ocean plastic | Yes | Geotags, photos, video | | 1ClickImpact | New | Per-impact, no monthly fee | Trees, carbon, ocean | Optional | GPS, photos, video | | One Tree Planted | 4.6/5 (18+) | $1/tree (customer pays) | Trees only | No (opt-in) | 501(c)(3) nonprofit | ## How to Choose the Right App for Your Store The decision comes down to three questions. **What is your budget model?** If you want to absorb the cost as a business expense, apps like GoodAPI, Greenspark, and Ecologi let you automatically fund impact per order. If you want customers to contribute, One Tree Planted and 1ClickImpact offer opt-in models. **How important is verification?** All the apps listed here work with legitimate reforestation projects, but the depth of verification varies. GoodAPI's Veritree integration and Ecodrive's geotag evidence provide the most granular proof. If your customers ask hard questions about where their trees go, these details matter. **Do you need more than tree planting?** If plastic removal, carbon offsets, or ocean cleanup are part of your sustainability story, Greenspark, GoodAPI, Ecodrive, and 1ClickImpact offer multi-impact options. If trees are enough, Ecologi and One Tree Planted keep things focused. For most Shopify merchants starting out, GoodAPI offers the best combination of low setup friction, strong Veritree verification, flexible triggers, and per-impact pricing with no mandatory monthly fee. It is the safest starting point whether you are a small store planting your first trees or a high-volume brand looking for a fully embedded Shopify solution. You can always expand your sustainability toolkit later as your store grows. ## Getting Started The fastest way to start planting trees with every purchase is to install one of these apps from the Shopify App Store, configure your trigger (per order is the simplest), and add the impact badge to your storefront. Most merchants are up and running in under 10 minutes. If you want to go deeper with API integrations, custom triggers via Shopify Flow, or multi-platform setups, check out our [integration guide](/blog/shopify-tree-planting-integration-guide/) and [developer documentation](https://www.thegoodapi.com/docs/api) for step-by-step walkthroughs. The bottom line: planting trees with every purchase is no longer a nice-to-have differentiator. It is becoming a baseline expectation for e-commerce brands that care about customer loyalty and long-term brand equity. The question is not whether to do it, but which tool fits your store best. --- # How to Choose a Verified Tree Planting Company URL: https://www.thegoodapi.com/blog/verified-tree-planting-company-guide/ Description: How to choose a verified tree planting company that isn't greenwashing. We cover survival rates, geospatial verification, certifications, and red flags to avoid. Published: 2026-03-11 Nearly half of all trees planted in tropical reforestation projects die within five years. That statistic, drawn from a study of 176 restoration sites across tropical and subtropical Asia, should give any business pause before partnering with a tree planting company. The gap between "trees planted" and "trees that survive" is where greenwashing lives, and where your reputation could take a hit if you choose the wrong provider. Choosing a verified tree planting company is no longer optional for businesses that care about real environmental impact. With 78% of consumers now demanding proof that sustainability claims are genuine, the days of slapping a green leaf on your checkout page and calling it a day are over. This guide walks you through what to look for, what to avoid, and how to separate verified impact from empty marketing promises. ## Why Verification Matters More Than Tree Count The tree planting industry has a measurement problem. Most providers report the number of trees planted, not the number that survived, grew, and actually sequestered carbon. Research from the UK Centre for Ecology and Hydrology found that average mortality rises to 44% after five years, with some poorly managed sites losing over 80% of their saplings. This matters for your business because customers and regulators are paying attention. The EU's Green Claims Directive and updated FTC Green Guides both require companies to substantiate environmental claims with evidence. If you tell your customers "we plant a tree for every order" but your planting partner has a 20% survival rate and no monitoring system, you are making a claim you cannot back up. A verified tree planting company does three things differently: it tracks individual trees or planting areas over time, it uses third-party verification or transparent reporting to prove survival and growth, and it publishes this data so you can share it with stakeholders. ## Six Things to Look for in a Verified Tree Planting Company ### 1. Transparent Survival Rate Data Ask any potential partner for their survival rates after one, three, and five years. A credible verified tree planting company will have this data readily available, broken down by project site and species. The benchmark to look for is at least 80% survival after three to five years, verified through field audits, drone surveys, or satellite monitoring. If a provider claims 100% survival without explaining their methodology, treat that as a red flag. No reforestation project achieves perfect survival, and honest reporting is a stronger trust signal than inflated numbers. ### 2. Recognized Certifications and Standards Several international standards exist to hold reforestation projects accountable. The most widely recognized include: Gold Standard, developed by WWF and other international NGOs, certifies projects that deliver measurable climate and development benefits. Verra's Verified Carbon Standard (VCS) is one of the most widely used carbon crediting standards, with rigorous monitoring and reporting requirements. The Society for Ecological Restoration has published International Principles and Standards for ecological restoration that serious planting organizations follow. A verified tree planting company should be able to tell you which standards their projects follow and provide documentation to prove it. If they cannot, you are trusting their word alone. ### 3. Technology-Driven Monitoring Modern verification goes far beyond counting seedlings. The best providers use a combination of ground-level monitoring (field teams recording GPS coordinates, species, and health data for each planting area), drone and satellite imagery (remote sensing to track canopy cover, growth patterns, and deforestation threats), and IoT sensors (soil moisture, temperature, and humidity monitoring that feeds into real-time dashboards). Companies like veritree, for example, collect data from up to 30 field sensors and publish verified impact data to a public blockchain, making it tamper-proof and traceable. This kind of technology stack is what separates verified reforestation from a photo op. ### 4. Third-Party Accountability Self-reported data has obvious limitations. Look for providers that submit to independent third-party audits or use transparent reporting mechanisms that anyone can verify. This includes Charity Navigator or GuideStar ratings for nonprofit partners, blockchain-based registries that prevent double counting of trees, and independent site audits by researchers or certification bodies. Look for planting partners that hold top ratings from independent evaluators like Charity Navigator or ImpactMatters. These independent assessments give businesses confidence that their dollars fund actual trees. ### 5. Ecosystem and Community Impact Tree planting is not just about carbon. A verified tree planting company should be able to demonstrate positive impact on biodiversity (planting native, mixed-species forests rather than monoculture plantations), soil and water (improved soil health, water retention, and reduced erosion), and local communities (fair wages for local planters, community involvement in site selection and maintenance). Monoculture plantations, where thousands of identical trees are planted in rows, often harm biodiversity and have lower survival rates than mixed-species forests planted in ecologically appropriate locations. Research from ScienceDaily shows that planting trees in areas with existing mature trees boosts survival rates by roughly 20%, reinforcing the importance of site selection. ### 6. Clear Reporting You Can Share With Customers The whole point of partnering with a verified tree planting company is being able to tell your customers about it honestly. Your provider should give you access to a dashboard or reporting system that shows the number of trees planted and their survival status, the specific projects your purchases support (with locations and species data), and impact metrics you can embed on your website, receipts, or marketing materials. If your provider hands you a generic "certificate of planting" with no underlying data, that is not verification. That is a receipt. ## Red Flags That Signal Greenwashing Not every tree planting company is doing the work they claim. Watch for these warning signs: Vague language without data is the first sign. Phrases like "we plant millions of trees" without project-specific survival rates, locations, or partner details should raise questions. No long-term monitoring is another concern. If a provider's engagement ends at planting day, there is no way to know whether those trees survived. Unrealistically low costs can also signal problems. Planting and maintaining a tree through its critical early years costs real money. If a provider charges a few cents per tree, ask how they fund ongoing monitoring and maintenance. Finally, be cautious about a single project focus. Reputable organizations run multiple projects across diverse geographies, reducing the risk that a single natural disaster or political event wipes out their entire impact. ## How GoodAPI Approaches Verified Tree Planting At GoodAPI, verification is built into the foundation of how we operate. Our tree planting projects are run through trusted reforestation partners, and we use veritree's technology platform for GPS-verified, blockchain-recorded tree data. Here is what that means in practice. Every tree planted through GoodAPI is tracked with GPS coordinates and species data. Our planting partners use a combination of field monitoring and remote sensing to track survival and growth over time. Impact data is available through the GoodAPI dashboard, so merchants can share verified numbers with their customers, not estimates. With over 3.9 million trees planted through more than 2,000 merchants, GoodAPI provides the transparency and verification infrastructure that e-commerce businesses need to make credible sustainability claims. Whether you run a Shopify store or integrate via API, every order can fund verified tree planting in projects across [Madagascar](/blog/madagascar-tree-planting-project/), [Kenya](/blog/kenya-mangroves-shopify-impact/), and other regions where reforestation has the highest ecological and community impact. ## Making the Right Choice Choosing a verified tree planting company comes down to asking the right questions and insisting on real data. The checklist is straightforward: ask for survival rate data, check for recognized certifications, look for technology-driven monitoring, insist on third-party accountability, evaluate ecosystem and community impact, and make sure you get reporting you can actually share. The businesses that get this right do not just avoid greenwashing accusations. They build genuine customer trust, strengthen their ESG reporting, and contribute to reforestation that actually works. The businesses that skip the due diligence end up paying for trees that may never grow past their first year. If you are ready to add verified tree planting to your e-commerce store, [explore how GoodAPI works](https://thegoodapi.com/how-it-works) or [see our verified projects](https://thegoodapi.com/our-projects) to understand where your impact goes. For a deeper look at what separates real tree planting from greenwashing, read our guide on [real tree planting for businesses](/blog/real-tree-planting-for-businesses/). If you want to understand the full landscape of business reforestation programs, see our [complete reforestation guide for businesses](/blog/reforestation-for-businesses-guide/). --- # Developer Guide: Add Tree Planting to Any App URL: https://www.thegoodapi.com/blog/developer-guide-tree-planting-api/ Description: Learn how to add real environmental impact to your app using a sustainability API for developers. Step-by-step guide with code examples and use cases. Published: 2026-03-10 Adding tree planting to your application used to mean manual processes, spreadsheets, and a sustainability manager making bulk purchases once a quarter. Today, a sustainability API for developers makes it possible to trigger real-world environmental action — planting trees, removing ocean plastic, and generating verified impact certificates — through a simple HTTP request. In this guide, we'll walk through exactly how to do it. ## Why Developers Are Adding Sustainability to Their Stack The business case for embedding sustainability into your product has never been stronger. According to a 2024 PwC survey, consumers are willing to pay a 9.7% premium for sustainably sourced goods. Among Gen Z shoppers, 73% actively prefer brands that take environmental action. And the U.S. eco-friendly retail market is growing 71% faster than conventional retail. But beyond consumer sentiment, there is a technical angle: companies are under growing ESG reporting pressure. When sustainability actions are triggered programmatically and logged through an API, the data trail is automatic. You get clean, auditable records without manual entry. For developers, this creates an interesting opportunity. You can turn a purchase, a signup, a milestone, or any custom event into a moment of verified environmental impact. And you can do it with a few lines of code. ## What a Tree Planting API Actually Does At a basic level, a tree planting API accepts a trigger from your system and responds by initiating a real tree planting (or plastic removal, or carbon offset) through a vetted reforestation partner. The key word there is "vetted." Any responsible sustainability API should connect to certified projects — ones that track planting locations, species, survival rates, and local community outcomes. Here is what a typical request/response cycle looks like: 1. A customer completes a purchase in your store 2. Your backend fires a POST request to the sustainability API 3. The API records the action, queues the planting with a partner organization, and returns a confirmation 4. Your system logs the confirmation ID for impact reporting 5. At the end of the month, you receive a consolidated report with geo-tagged proof of impact The whole flow is asynchronous — planting happens on the ground over days and weeks — but the tracking record is created instantly. ## Getting Started With GoodAPI [GoodAPI](https://www.thegoodapi.com) offers a developer-first sustainability API that lets you integrate tree planting and plastic removal into any application. Here is how to get up and running. ### Step 1: Get Your API Keys GoodAPI uses a beta key to bootstrap your account. Reach out to the GoodAPI team to request your beta key, then use it to call the signup endpoint and generate your own keys. Send a POST request to `https://app.thegoodapi.com/signup` with the beta key as a header, along with your contact name, email, and organization name: ```bash curl -X POST https://app.thegoodapi.com/signup \ -H "beta_token: YOUR_BETA_TOKEN" \ -H "Content-Type: application/json" \ -d '{ "contact_name": "Jane Developer", "email": "jane@yourcompany.com", "name": "Your Company Name" }' ``` The response returns two API keys tied to your account: - `api_key_prod` — your live key that triggers real plantings and monthly billing - `api_key_test` — a sandbox key for development that does not incur charges This separation is important. Always use `api_key_test` during development and testing so you are not billed for every test run. ### Step 2: Authenticate Your Requests Authentication is header-based. Include your key in every request: ``` Authorization: Bearer YOUR_API_KEY Content-Type: application/json ``` ### Step 3: Define Your Trigger Events Before writing any code, decide what user actions should trigger a planting. Common patterns used by GoodAPI merchants include: - **Per purchase**: Plant one tree for every order placed - **Per dollar amount**: Plant one tree for every $50 spent - **Per signup**: Plant one tree when a user creates an account - **Per review**: Plant one tree when a customer leaves a product review - **Per subscription renewal**: Plant one tree for each recurring billing cycle - **Per employee**: Plant trees on a monthly cadence for workforce programs Each of these is just a different event in your application. The API call looks the same regardless. ### Step 4: Make Your First API Call Here is a minimal example in Python: ```python def plant_tree_for_order(order_id, customer_email): url = "https://app.thegoodapi.com/plant" headers = { "Authorization": "Bearer YOUR_API_KEY_TEST", "Content-Type": "application/json" } payload = { "event_type": "purchase", "reference_id": order_id, "customer_email": customer_email, "quantity": 1 } response = requests.post(url, json=payload, headers=headers) response.raise_for_status() return response.json() ``` And the same in JavaScript (Node.js): ```javascript async function plantTreeForOrder(orderId, customerEmail) { const response = await fetch("https://app.thegoodapi.com/plant", { method: "POST", headers: { "Authorization": "Bearer YOUR_API_KEY_TEST", "Content-Type": "application/json" }, body: JSON.stringify({ event_type: "purchase", reference_id: orderId, customer_email: customerEmail, quantity: 1 }) }); if (!response.ok) { throw new Error(`GoodAPI error: ${response.status}`); } return response.json(); } ``` The response will include a confirmation ID that you can store in your database for impact reporting and customer-facing displays. ## Handling Errors and Edge Cases A few things worth accounting for in your integration: **Network failures**: Wrap API calls in a try/catch and log failures. Consider a retry queue (using something like Bull in Node.js or Celery in Python) for failed requests so no impact events are permanently lost. **Duplicate prevention**: If your order processing has retry logic, you may fire the same event twice. Use an idempotency key based on order ID to prevent duplicate plantings. Pass it as a header: `Idempotency-Key: order_123`. **Webhook verification**: If GoodAPI sends webhooks to notify you of planting confirmations, verify the signature on incoming requests before processing them. **Graceful degradation**: Your sustainability integration should never block your core checkout flow. Make the API call asynchronously, and if it fails, log it for retry later. The customer should never see an error because of a planting failure. ## Switching to Production Once your integration is tested and working in sandbox mode, swap your `api_key_test` for `api_key_prod` and you are live. A few final checks before you flip: - Confirm your error logging and retry logic is in place - Set up a monitoring alert for sustained error rates from the GoodAPI endpoint - Review your impact data model — decide where you will store confirmation IDs and how you will surface impact metrics to users or internal dashboards ## Surfacing Impact to Your Users This is where the real business value shows up. Customers who can see their environmental impact are more likely to return and recommend your brand. A few patterns that work well: **Post-purchase confirmation**: Show a message on the order confirmation page: "We just planted a tree on your behalf. You have now contributed to planting [X] trees through your purchases." **Account impact dashboard**: Track cumulative impact per customer. Display it in their account area: "Your purchases have planted 12 trees and removed 3 kg of ocean plastic." **Email confirmation**: Include a planting confirmation in your transactional emails with a link to geo-tagged proof from the partner project. **Shareable impact badge**: Give customers a shareable badge or certificate they can post on social media. This is organic marketing with a sustainability angle. All of this data comes from the API. You are not maintaining any of it manually. ## Beyond Tree Planting: Plastic Removal and More GoodAPI supports more than tree planting. You can also trigger ocean-bound plastic removal through the same API, making it possible to offer a dual impact program. For example: plant one tree and remove 1 kg of plastic for every purchase above $100. This kind of layered program is easy to configure with API parameters and creates a compelling story for sustainability-focused customers. Plastic removal is a particularly powerful differentiator because it is less commoditized than carbon offsets. Competitors like EcoCart focus heavily on the carbon-neutral-shipping angle. By adding plastic removal to your integration, you are offering something distinct that plays well with ocean-conscious consumer segments. ## Why This Matters Beyond Marketing There is a tendency to view sustainability integrations as a marketing checkbox. And yes, they help conversion and retention. But the underlying infrastructure you are building also sets your organization up for future ESG reporting requirements. In many markets, particularly for larger companies operating in the EU, sustainability reporting is becoming mandatory. When your impact data flows through a verified API from the start, you have auditable, structured records rather than spreadsheet estimates. That is genuinely useful as regulatory expectations increase. For smaller businesses and startups, building this in now is much cheaper than retrofitting it later. ## Getting Started If you are building on Shopify, Squarespace, BigCommerce, or any custom stack, [GoodAPI](https://www.thegoodapi.com) has integration options for all of them. The API itself is platform-agnostic — if you can make an HTTP request, you can plant trees. The team at GoodAPI is developer-friendly and handles onboarding directly. You can have your first test integration running in under an hour. With 3.3 million trees already planted through 2,000+ merchants, the infrastructure is proven at scale. Sustainability does not have to be a separate workflow. Build it into your core product and it becomes part of who you are as a company — not just something you report on once a year. Ready to add real environmental impact to your application? [Get started with GoodAPI](https://www.thegoodapi.com) today. --- # Shopify Tree Planting Integration: Merchant Guide URL: https://www.thegoodapi.com/blog/shopify-tree-planting-integration-guide/ Description: Install Shopify tree planting in under 5 minutes. Plant a verified tree per order and show customers real proof of impact at checkout. Published: 2026-03-10 If you run a Shopify store and want to add a sustainability initiative that actually moves the needle on conversions, a Shopify tree planting integration is one of the most effective places to start. More than 85% of consumers have shifted their purchasing behavior toward brands that demonstrate environmental commitment, and 66% say they are willing to pay more for products from companies that prove real impact. Adding tree planting to your store is not just good for the planet -- it is increasingly good for your bottom line. This guide walks you through everything you need to know: why tree planting integrations work for e-commerce stores, how to set up the GoodAPI app on your Shopify store in under five minutes, and how to display your impact in ways that actually influence buying decisions. --- ## Why a Shopify Tree Planting Integration Works as a Marketing Tool Sustainability is not just a consumer trend. It is now a measurable driver of e-commerce performance. Research from NielsenIQ found that products marketed as sustainable grew 2.7 times faster than conventional alternatives. Brands that make their environmental impact visible at the point of purchase have reported conversion rate lifts of up to 9%, and merchants using GoodAPI's tree planting integration have seen meaningfully higher retention rates among eco-conscious buyers. Tree planting has a few unique advantages over other sustainability initiatives. It is tangible. Customers can picture a real tree. They understand what it means in a way that "carbon credits" or "offset tonnage" simply do not communicate. It is cost-effective per action. At $0.43 per tree, the math works even for low-margin products. A merchant with 200 orders per month spends roughly $86 to plant a tree for every customer -- comparable to a single social media ad, but with ongoing impressions built into every future customer touchpoint. It builds trust at scale. When tree planting is verified by independent third-party organizations, it deflects greenwashing concerns before customers even think to raise them. Verification is what separates a meaningful customer experience from a hollow marketing claim. For Shopify merchants competing on brand values, tree planting also creates word-of-mouth moments that paid ads cannot. A customer who plants a tree with their order is far more likely to share that experience, come back, and tell others. --- ## What Verification Actually Means (and Why It Matters) Not every Shopify tree planting integration offers genuine accountability. Before choosing a solution, it is worth understanding what "verified" means in practice. GoodAPI partners with [Eden Reforestation Projects](https://www.thegoodapi.com/our-projects) and uses VeritTree certification to confirm every tree planted through the platform. Monthly certificates are issued to all planting customers, and a public ledger documents the real-world impact in full. The trees planted through GoodAPI's projects include Mangrove species in Madagascar and Kenya -- two of the most carbon-efficient tree types on the planet, with measurable benefits for coastal ecosystems and local communities. This transparency matters because consumer skepticism about "green" claims has never been higher. Being able to show customers a certificate, a specific project location, a species type, and a real impact count is what turns a badge on your product page into a genuine trust asset. GoodAPI currently powers sustainability programs for 2,000+ Shopify merchants, has passed 3.9 million trees planted globally, and holds a 4.9 out of 5 rating on the Shopify App Store across 218 reviews. It is consistently ranked among the top sustainability apps in the Shopify ecosystem. --- ## How to Set Up Your Shopify Tree Planting Integration: Step-by-Step Here is how to go from zero to live in a few minutes. ### Step 1: Install the GoodAPI App Go to the [GoodAPI app listing on the Shopify App Store](https://apps.shopify.com/tree-planting) and click "Add app." The app is free to install with no monthly subscription fee -- you only pay per tree planted. The pricing is simple: $0.43 per tree, $0.05 per plastic bottle removed. Your first 50 trees and 100 plastic bottles are free, which gives you room to configure everything and see it working before any charges apply. ### Step 2: Choose Your Planting Trigger Once installed, you choose how tree planting is triggered in your store: - **Per order**: Plant one or more trees for every completed purchase. - **Per product**: Assign planting to specific SKUs, so only certain products trigger a tree. - **Per month**: Set a fixed monthly total regardless of order volume. - **Fixed contribution**: Define a set monthly spend for predictable budgeting. The per-order model is the most popular among GoodAPI merchants because it creates a direct, visible connection between each customer's purchase and a real environmental outcome. Customers see that their specific order caused a specific tree to be planted -- not a pooled average. ### Step 3: Configure Your Impact Badge The impact badge is the element that actually influences conversion. GoodAPI lets you deploy badges across multiple touchpoints in the shopping journey: - Product pages - The cart - Checkout - The thank you page - Order confirmation emails - Customer account pages The badge is customizable in color and copy to match your store's branding. A typical badge reads something like "We plant a tree with every order" and can link directly to your impact stats or project page. Customers who see the badge at checkout convert at measurably higher rates than those who do not. The app supports English, German, French, and Spanish, and handles multi-currency stores natively -- so international Shopify merchants do not need any additional configuration. ### Step 4: Connect Shopify Flow (Optional but Powerful) For Shopify Plus merchants, or any store already using Shopify Flow, GoodAPI integrates directly with the automation platform. You can build rules like: - Plant a tree when a customer leaves a 5-star review - Plant an additional tree when an order exceeds a specific dollar threshold - Trigger a planting event when a customer hits a loyalty milestone This approach makes tree planting a dynamic part of your customer experience, not just a passive badge. You can find step-by-step instructions in the [GoodAPI Shopify Flow guide](https://www.thegoodapi.com/help/shopify/how-to-use-shopify-flow-to-plant-trees/). ### Step 5: Tell Customers About Their Impact The final step is making sure customers actually know about the trees planted on their behalf. GoodAPI provides a library of photography and video from real planting projects that you can use in post-purchase email flows, social media posts, product descriptions, and your store's sustainability page. Merchants who actively communicate impact -- rather than just displaying a badge -- consistently report stronger repeat purchase rates and higher customer lifetime value. The trees are planted either way; the LTV lift comes from making sure customers know about it. --- ## What Your Impact Looks Like Over Time To put the numbers in concrete terms: if your store processes 200 orders per month and you plant one tree per order, you are spending about $86 monthly after the free tier. That is roughly $1,032 per year to plant 2,400 trees on behalf of your customers. Over 12 months, you now have a real story: "Our customers have planted 2,400 trees together." GoodAPI tracks this through monthly impact reports and a public-facing impact counter, giving you numbers you can share in campaigns, press coverage, and your About page. That narrative compounds. Year two, you are at 4,800 trees. Year three, you cross 7,000. That is a brand asset that grows with you. --- ## GoodAPI vs. Other Shopify Tree Planting Apps Several tree planting apps exist in the Shopify ecosystem. Here is what distinguishes GoodAPI: **Verification depth.** GoodAPI's Eden Reforestation and VeritTree partnerships provide documented project locations, species types, and impact certificates for every tree. This is a higher standard of proof than most competitors offer. **Pricing model.** Many sustainability apps charge flat monthly subscriptions regardless of order volume. GoodAPI charges only for actual planting activity, meaning lower-volume stores are not paying for impact they are not generating. As volume grows, cost scales proportionally. **Shopify-native depth.** The integration covers product pages, cart, checkout, thank you pages, order emails, customer accounts, Shopify Flow, Shopify POS, and checkout UI extensions -- a more complete coverage than most alternatives. **Social proof.** With 2,000+ merchants, 218 app store reviews, and a 4.9/5 rating, GoodAPI has the strongest verified track record of any tree planting app currently active in the Shopify ecosystem. For a full breakdown of how the platform works from both a merchant and developer perspective, the [GoodAPI how it works page](https://www.thegoodapi.com/how-it-works) covers the technical details. --- ## Get Started With Your Shopify Tree Planting Integration Today Setting up a Shopify tree planting integration through GoodAPI takes less time than writing a product description. The impact compounds over months and years as customers see your commitment reflected at every touchpoint in their journey. Over 2,000 Shopify merchants have already added verified tree planting to their stores. If you are ready to turn your sustainability values into a visible, credible customer experience -- and see what that does for your conversion rate and retention -- [install the GoodAPI app from the Shopify App Store](https://apps.shopify.com/tree-planting) and plant your first 50 trees free. --- # Carbon Offset API vs Tree Planting API Compared URL: https://www.thegoodapi.com/blog/carbon-offset-api-vs-tree-planting-api/ Description: Compare carbon offset APIs and tree planting APIs for ecommerce. Learn the key differences, ROI, and how to choose the right sustainability integration. Published: 2026-03-09 Your customers care about sustainability, andincreasingly, they're putting their money where their values are. Studies show that 67% of Gen Z shoppers now prefer brands that demonstrate real environmental impact. For e-commerce businesses looking to respond, sustainability APIs offer the fastest path from intention to action. But which kind of API should you integrate? The two most popular options, carbon offset APIs and tree planting APIs, serve fundamentally different purposes, even though they're often lumped together. Choosing the wrong one can mean wasted budget, confusing messaging, or missed opportunities to connect with your audience. In this guide, we'll break down how carbon offset APIs and tree planting APIs actually work, what each one costs, and how to decide which approach fits your business goals. ## What Is a Carbon Offset API? A carbon offset API lets your business programmatically purchase verified carbon credits to compensate for emissions generated by your operations, products, or shipping. When a customer completes a purchase, the API calculates the estimated carbon footprint of that transaction, factoring in manufacturing, logistics, and delivery,then retires the equivalent amount of carbon credits from a certified project. These credits are typically verified under standards like the Verified Carbon Standard (VCS) administered by Verra, or the Gold Standard, which additionally requires projects to contribute to at least two UN Sustainable Development Goals. Each credit represents one metric tonne of CO2 reduced or removed from the atmosphere. Popular carbon offset API providers include ClimateTrade, Cloverly, CarbonClick, and EcoCart. Some offer checkout-level integrations for Shopify, WooCommerce, and Magento, while others provide REST APIs for custom implementations. ### Key characteristics of carbon offset APIs Carbon offset APIs are built around measurable, verified emissions reductions. They excel at helping businesses make carbon neutrality claims with defensible data behind them. Because the credits are third-party verified and retired on a public registry, there's a clear chain of accountability. They also tend to cover a wide range of project types: renewable energy installations, methane capture at landfills, clean cookstove distribution, and direct air capture, among others. The trade-off is that carbon offsets are inherently abstract. Your customers won't see a photo of "their" emissions reduction. The impact is real, but the story is harder to tell. ## What Is a Tree Planting API? A tree planting API lets your business fund the planting of real trees, tied to specific reforestation projects,each time a customer takes an action on your platform. That action might be completing a purchase, signing up for an account, leaving a review, or hitting a spending threshold. Unlike carbon offsets, tree planting is tangible. Customers can often see where their trees are planted, track the progress of reforestation projects, and share their contribution on social media. This makes tree planting APIs particularly powerful for brand storytelling and customer engagement. Providers like [theGoodAPI](https://thegoodapi.com), Ecologi, 1ClickImpact, and Digital Humani all offer tree planting APIs. Pricing typically ranges from $0.10 to $0.80 per tree depending on the provider, project, and region. ### Key characteristics of tree planting APIs Tree planting APIs are designed for visibility and engagement. They turn sustainability from a background compliance exercise into a front-of-store feature that drives conversion and loyalty. Merchants using tree planting integrations have reported increases in checkout conversion rates of 10–17% and measurable boosts to customer retention. The co-benefits extend well beyond carbon. Reforestation projects support biodiversity, improve water filtration, provide shelter and food sources for local communities, and contribute to poverty alleviation in the regions where trees are planted. The important nuance: young trees don't sequester significant carbon in their early years. Verification programs typically won't certify carbon removal from trees until they reach roughly 10 years of maturity. That's why some providers, like Ecologi, explicitly separate tree planting from carbon offsetting in their reporting. Trees count toward reforestation impact, not your carbon neutrality claims. ## Carbon Offset API vs Tree Planting API: A Direct Comparison Understanding the core differences helps you match the right tool to your goals. ### Immediacy of impact Carbon offset APIs deliver immediate, verified emissions reductions. The moment a credit is retired, that tonne of CO2 is accounted for. Tree planting APIs create long-term environmental value, but the full carbon sequestration benefit unfolds over years and decades. ### Storytelling and customer engagement Tree planting wins here decisively. A message like "We planted a tree for your order in the Brazilian Atlantic Forest" is concrete, shareable, and emotionally resonant. Carbon offsets, while equally legitimate, don't generate the same kind of customer connection. "We retired 2.3 kg of verified carbon credits" doesn't have quite the same ring. ### Compliance and reporting If your business needs to make carbon neutral or net-zero claims, especially under tightening regulations in the EU and elsewhere, carbon offset APIs provide the verified, auditable data you need. Tree planting alone typically won't satisfy carbon accounting requirements. ### Cost Tree planting APIs tend to be more affordable on a per-action basis. Planting a tree can cost as little as $0.10 through some providers, while carbon offsets vary widely based on project type and quality. High-quality credits verified under Gold Standard or VCS can range from a few dollars to over $30 per tonne. ### Verification and transparency Both categories have strong verification options, but they work differently. Carbon offsets rely on established registries (Verra, Gold Standard) with public retirement records. Tree planting providers use partnerships with organizations like Veritree, One Tree Planted, or Eden Reforestation Projects, often offering GPS-verified planting data and photo evidence. ## When to Choose a Carbon Offset API A carbon offset API is the better fit when your business needs to make specific environmental claims that will stand up to regulatory scrutiny. If you're publishing a sustainability report, pursuing B Corp certification, or operating in markets with mandatory carbon disclosure requirements, verified offsets give you the data trail you need. Carbon offset APIs are also the right choice when your product or service has a calculable carbon footprint and you want to offer customers the option to neutralize it at checkout. Shipping-heavy businesses, for example, benefit from APIs that can estimate per-shipment emissions and offset them in real time. ## When to Choose a Tree Planting API A tree planting API makes more sense when your primary goal is brand differentiation and customer engagement. If your customers are retail consumers, especially younger demographics,the tangible, visual nature of tree planting creates a more powerful connection than abstract carbon credits. Tree planting also works well as a loyalty and conversion tool. Planting a tree per order, or letting customers "grow a forest" with repeat purchases, creates ongoing engagement loops that carbon offsets can't replicate. This is where platforms like [theGoodAPI](https://thegoodapi.com) shine, providing simple API integrations that let merchants tie tree planting (and plastic removal) to any customer action, with verified impact tracking and co-branded impact pages that customers actually want to share. For e-commerce brands that want sustainability to be part of their identity rather than a behind-the-scenes compliance exercise, tree planting APIs deliver more marketing value per dollar spent. ## Why Not Both? Here's the thing: you don't have to choose just one. The most sophisticated sustainability strategies combine both approaches: carbon offsets to handle compliance and measurable emissions reductions, and tree planting to drive customer engagement and long-term environmental restoration. Several providers now offer multi-impact APIs that let you plant trees, offset carbon, and fund ocean cleanup, all through a single integration. [theGoodAPI](https://thegoodapi.com), for example, lets merchants combine tree planting with plastic removal, giving customers a multi-dimensional impact story that goes beyond a single metric. The voluntary carbon market is growing rapidly, valued at roughly $2.5 billion in 2025 and projected to reach $3 billion in 2026. As this market matures and verification standards tighten, businesses that invest in sustainability infrastructure now will be better positioned than those scrambling to catch up later. ## Getting Started If you're ready to integrate sustainability into your e-commerce platform, start by asking three questions. First, do you need to make carbon neutrality claims? If yes, you'll need a carbon offset component. Second, is customer engagement a primary goal? If so, tree planting should be in your stack. Third, what's your per-order budget for sustainability? This will narrow your provider options quickly. From there, most providers offer free trials or sandbox environments to test their APIs before committing. Look for transparent pricing, verified impact partners, and strong documentation. You don't want a sustainability integration that creates more engineering work than it's worth. The bottom line: both carbon offset APIs and tree planting APIs are legitimate, valuable tools for building a more sustainable e-commerce business. The right choice depends on whether your priority is compliance, engagement, or ideally, both. Ready to add tree planting and plastic removal to your platform? [Explore theGoodAPI](https://thegoodapi.com) to see how 2,000+ merchants are driving real environmental impact with every transaction. --- # How to Measure Sustainability ROI in E-Commerce URL: https://www.thegoodapi.com/blog/ecommerce-sustainability-roi-guide/ Description: Ecommerce sustainability ROI is real and measurable. Here's how to calculate the business impact of tree planting, plastic removal, and green initiatives. Published: 2026-03-09 Sustainability used to feel like a cost center. You'd add a tree planting widget, tell customers you're "committed to the planet," and hope it translated into something measurable. The good news: it does. Ecommerce sustainability ROI is no longer a vague concept. There's real data behind it, and the numbers are compelling enough to justify sustainability as a core part of your business strategy, not just a nice-to-have. In this guide, we'll break down exactly how to measure the return on investment from sustainability initiatives, what metrics matter, and what real merchants have seen when they put environmental commitments front and center. ## Why Sustainability ROI Matters Now More Than Ever Consumer behavior has shifted. According to recent research, 78% of consumers say sustainability is important to them, and 55% globally are willing to pay more for brands that work to reduce their environmental impact. Among Gen Z and millennials, those numbers climb even higher: 77% of Gen Z shoppers and 72% of millennials say they'll pay a premium for sustainable products. This isn't idealism. It's purchasing behavior. Studies show that products marketed as sustainable grow roughly 2.7 times faster than conventional products. And companies that take sustainability seriously can see revenue uplifts of 8 to 14% across relevant product lines, according to McKinsey. The question isn't whether sustainability drives ROI. The question is how you measure it. ## The Key Metrics for Ecommerce Sustainability ROI To track sustainability ROI properly, you need to look beyond marketing feel-goods and focus on the numbers that actually move the needle. ### 1. Conversion Rate Lift The most immediate ROI from sustainability comes at the point of purchase. When customers know that their order plants a tree or removes plastic from the ocean, it gives them a concrete reason to choose you over a competitor. One fashion brand saw a 24% increase in conversion rate from cart to checkout within three weeks of adding "one tree planted per order" messaging to their store. A home goods brand found that 4.43% of customers specifically cited the tree planting program as the reason they chose to buy, resulting in a 12x ROI on their impact investment. These aren't outliers. Across platforms, merchants integrating sustainability actions into the checkout experience consistently report conversion improvements in the 10 to 25% range. To measure this yourself: run an A/B test with sustainability messaging visible on your product pages and cart versus a control group without it. Track conversion rate and average order value across both groups over at least 30 days. ### 2. Average Order Value Customers who care about sustainability tend to spend more. Sustainable brands have seen a 10% rise in average order value on average. Why? Because shoppers who self-select for environmental values are generally less price-sensitive and more willing to pay a premium. Track average order value before and after adding sustainability actions to your store. Most ecommerce platforms let you pull this from your orders dashboard with a simple date comparison. If you want a cleaner signal, compare AOV in the weeks before launch against the weeks after. ### 3. Customer Lifetime Value (LTV) This is where sustainability pays the biggest dividends over time. Loyal, repeat customers are the backbone of any profitable ecommerce business, and sustainability is a powerful loyalty driver. About 77% of companies that made sustainability a priority reported a notable increase in customer loyalty. And eco-friendly packaging alone makes 33% of customers more likely to return to the same store. When customers feel aligned with your values, they come back. And they tell friends. To calculate the sustainability impact on LTV: compare the repeat purchase rate and 12-month revenue per customer between those who engaged with your sustainability program versus those who didn't. Most ecommerce platforms (Shopify, BigCommerce, WooCommerce) let you tag customer cohorts, making this segmentation straightforward. ### 4. Price Premium Capture Consumers are willing to pay an average of 9.7% more for sustainably produced goods, even during periods of inflation. If your sustainability program lets you hold higher prices or resist discount pressure, that difference goes straight to margin. Track this by reviewing your discount frequency and discount depth over time. Merchants with strong sustainability positioning often find they run fewer promotions and hold higher base prices than competitors. ### 5. Brand Awareness and Word of Mouth This one is harder to quantify but no less real. When you plant a tree for every order, customers share it. They post it. They talk about it. Sustainability initiatives create word-of-mouth moments that paid advertising can't reliably replicate. Metrics to watch here: referral traffic, social shares on impact-related posts, and net promoter score (NPS) surveys that ask specifically about environmental values. ## How to Set Up a Sustainability ROI Framework Here's a simple framework to get you started. It doesn't require a data science team. Just consistent tracking. ### Step 1: Establish a Baseline Before launching any sustainability initiative, capture your current numbers: conversion rate, average order value, repeat purchase rate, and customer acquisition cost. These are your before-state. ### Step 2: Implement a Measurable Sustainability Action The easiest to track are actions tied directly to purchase events. Tree planting per order, plastic removal per order, or carbon offset per shipment all link your sustainability impact to a specific customer behavior. APIs like [thegoodapi.com](https://thegoodapi.com) make it straightforward to connect these actions to your store, track them in real time, and surface impact data to customers in a way that reinforces their purchase decision. ### Step 3: Run Cohort Analysis After 60 to 90 days, segment customers by whether they saw and engaged with your sustainability messaging. Compare conversion rates, AOV, and repeat purchase frequency across cohorts. This gives you a direct line-of-sight into what the sustainability program is contributing. ### Step 4: Calculate Blended ROI Take the revenue uplift from improved conversion and LTV, subtract the cost of your sustainability actions (trees planted, plastic removed, carbon offsets purchased), and divide by the cost. Most merchants find their sustainability programs pay for themselves many times over through increased customer value alone. For reference: if a tree costs roughly $0.80 to plant and a plastic removal offset costs around $0.25 per unit, and each converted customer brings in $80 in lifetime revenue, the math is strongly in your favor. ## What the Data Says About Specific Sustainability Actions Not all green initiatives are created equal from an ROI perspective. Here's how the most common options compare. **Tree planting** tends to perform well because it's tangible and emotionally resonant. Customers understand what planting a tree means. It's a concrete, positive action they can visualize, which is why it drives strong engagement and repeat purchase behavior. **Plastic removal** is a growing differentiator. Fewer brands offer it, and ocean plastic is a high-concern issue for consumers across demographics. For merchants in fashion, beauty, or food and beverage, plastic removal sends a credibility signal that tree planting alone may not. **Carbon offsets** appeal more to enterprise buyers and B2B customers who need to report against ESG targets. For direct-to-consumer brands, the story is less immediately compelling than trees or ocean plastic, but it matters for customers who want to see you addressing your shipping footprint. The best-performing sustainability programs often combine actions, such as one tree planted per order plus plastic removal for premium tier customers, because it lets merchants tell a richer story while still keeping per-order costs modest. ## Common Mistakes That Skew Your ROI Numbers A few things can undermine your sustainability ROI measurement even when the underlying program is solid. Measuring the wrong time window is one of the most common errors. LTV gains from sustainability often take 6 to 12 months to fully show up in repeat purchase data. If you evaluate after 30 days and declare the program "flat," you're looking at incomplete data. Not surfacing the impact to customers is another. You planted 500 trees last month. Did your customers know? Impact messaging at checkout, in post-purchase emails, and on order confirmation pages is where the conversion lift actually happens. If you're not telling customers what they contributed, you're leaving the behavioral benefit on the table. Treating sustainability as a cost line rather than a revenue line is the third mistake. Every tree or offset you purchase should be paired with revenue attribution. Run it through the same ROI lens you'd apply to paid advertising. ## The Bottom Line on Ecommerce Sustainability ROI Sustainability is not a charity spend. When structured correctly, with measurable actions tied to purchase events and visible to customers throughout their journey, it's one of the most cost-effective ways to improve conversion, increase average order value, and build the kind of loyalty that compounds over time. The data is clear: companies prioritizing sustainability see 8 to 16% revenue uplifts, 10% increases in average order value, and customer loyalty improvements that reduce acquisition costs over time. If you're ready to add measurable sustainability actions to your store and track the impact in real time, [thegoodapi.com](https://thegoodapi.com) integrates with Shopify, BigCommerce, WooCommerce, and any custom stack. You can be planting trees or removing plastic from the ocean with your first order today, and watching the numbers move with you. --- # How GoodAPI and veritree Verify Every Tree Planted URL: https://www.thegoodapi.com/blog/goodapi-veritree-tree-planting-verification/ Description: Learn how GoodAPI partners with veritree to verify every tree through geospatial data, photography, site visits, and independent audits. Published: 2026-02-18 ## When Your Customers Plant a Tree Through GoodAPI, How Do You Know It Really Gets Planted? It's a fair question - and one more businesses are asking as environmental claims face greater scrutiny. At GoodAPI, we've built our tree planting integration around the highest standard of verification available: **veritree's multi-layered monitoring platform**. Here's exactly how we make sure every tree is real, every claim is backed by data, and every impact is independently verified. ## Why Verification Matters in Tree Planting The reforestation industry has, unfortunately, seen its share of greenwashing. Trees that aren't planted, survival rates that aren't tracked, and impact claims that can't be substantiated. For developers, apps, and brands integrating a **tree planting API**, the stakes are real: your customers trust you, your ESG reports depend on accuracy, and increasingly, regulators require proof. That's why we chose veritree - not just as a tree planting partner, but as a verification infrastructure. Their approach combines geospatial technology, community monitoring, drone and satellite imagery, in-field photography, and independent audits into a rigorous three-level verification system. ## Layer 1: Geospatial Data and Satellite Monitoring Every restoration project in the veritree network is geotagged from day one. Using **satellite imagery, drone footage, and real-time geospatial data streams**, veritree tracks the precise location of each planting site and monitors it continuously over time. After three years, veritree uses geospatial analysis to detect threats like illegal deforestation or land clearance that might put a restored forest at risk. This long-term monitoring means the trees your customers fund through GoodAPI aren't just planted and forgotten - they're actively watched over. For businesses using the **GoodAPI tree planting API**, this translates directly into credible, auditable impact data for sustainability reports, customer-facing dashboards, and regulatory disclosures. ## Layer 2: In-Field Photography, Sensors, and Community Monitoring On the ground, veritree deploys a comprehensive suite of field-level tools to document and verify planting activity. These include **in-field cameras, bioacoustic monitors, and environmental sensors** that measure biodiversity, carbon sequestration potential, tree survival rates, and socio-economic impact on local communities. What makes veritree's approach especially effective - and genuinely human - is the central role of **local community members**. Mobile devices are placed in the hands of community members who document the planting process, track tree growth over time, and report on site conditions. This creates a transparent, community-owned record of every project. Local communities develop a genuine sense of ownership and pride over the forests they're restoring - one of the most powerful long-term protection mechanisms available. When people care about the land, the trees survive. ## Layer 3: Site Visits and Independent Audits Photography and sensors are powerful, but veritree goes further with **physical site visits and independent third-party audits**. Internal audits cross-reference field data against project plans and expected outcomes. Independent external audits then provide an additional check - verifying that what veritree reports matches what's actually happening on the ground. This three-tier structure (ground monitoring - technology verification - independent audit) gives veritree its credibility with enterprises navigating ESG disclosure requirements in the EU, U.S., and Canada. ## Blockchain-Anchored Impact Certificates Once data passes through all three layers of verification, veritree publishes it on a **public blockchain**. This creates an immutable, transparent record of each planting event - eliminating the risk of double-counting and providing auditable proof of impact that holds up to scrutiny. When a GoodAPI integration triggers a tree planting event, the resulting blockchain certificate becomes part of your business's verifiable environmental record. This isn't just good for the planet - it's increasingly essential for regulatory compliance and consumer trust. ## Built on FAO and World Resources Institute Scientific Standards veritree's methodology is built on *The Road to Restoration*, a framework jointly developed by the **Food and Agriculture Organization (FAO) and the World Resources Institute (WRI)** - two of the most respected institutions in global environmental science. This scientific grounding means the tree planting your business enables through GoodAPI meets internationally recognised standards - not just a brand's internal metrics. ## What This Means for Products Built on GoodAPI Whether you're a **consumer app** giving users the chance to plant a tree at checkout, an **e-commerce platform** building sustainability into every order, or a developer adding green features to a SaaS product, the GoodAPI tree planting API gives you access to this entire verification infrastructure - without building any of it yourself. Every tree event triggered through GoodAPI: - Is geotagged to a verified, active restoration site - Is photographed and documented in the field by community members - Is monitored using satellite and drone imagery over time - Is subject to internal review and independent third-party audit - Is recorded on a public blockchain for permanent, transparent traceability You get a reliable, developer-friendly **tree planting API**. Your customers get real, measurable impact. And the planet gets forests that are genuinely protected. ## Looking for the Best Tree Planting API or App? If you're evaluating **tree planting APIs**, sustainability integrations, or green commerce apps and want confidence that your environmental claims will hold up to scrutiny - from customers, investors, and regulators alike - GoodAPI's veritree integration is designed exactly for that. Every tree is real. Every claim is verified. Every report is backed by data. [Get started with GoodAPI](https://thegoodapi.com) or explore our documentation to see how easy it is to add verified, audited tree planting to your product today. --- # Best Tree Planting API for Businesses (2026 Comparison) URL: https://www.thegoodapi.com/blog/best-tree-planting-api/ Description: 5 tree planting APIs compared on price, verification, and integration. One starts at $0.43/tree with GPS-verified impact — see the full 2026 rankings. Published: 2026-02-13 ## What Is the Best Tree Planting API? We're the team behind GoodAPI, so yes, we're biased. But we've spent years building in this space and we know what matters when it comes to choosing a tree planting API. Rather than just telling you we're the best, we want to show you how the options compare and let you decide for yourself. Tree planting APIs are transforming how businesses contribute to environmental sustainability. From Shopify stores to SaaS platforms, these APIs make it easy to fund verified reforestation with every order, subscription, or transaction. In this comparison guide, we break down the top 5 tree planting APIs for 2026, including pricing, features, and what makes each unique. ## Why We Built GoodAPI When we started GoodAPI, most tree planting APIs were either enterprise-only, lacked verification, or required weeks of integration work. We wanted to build something different: a platform where any business could automate verified reforestation in minutes, not months. Today, **GoodAPI combines verified impact through the Arbor Day Foundation, Veritree, and CleanHub** with what we think is the simplest integration path available: a REST API, a native Shopify app, and live impact dashboards. Our pricing starts at $0.43 per tree, and we publish it upfront because we think transparency matters. If you want to skip the comparison and get started, head over to our [developer docs](https://www.thegoodapi.com/docs/api/) to grab your API key. ## The Rise of Climate APIs Sustainability has shifted from marketing to infrastructure. Instead of one-time donations, companies are now **embedding climate action directly into their digital products** through APIs. Tree planting APIs let developers automatically trigger real-world reforestation whenever a customer makes a purchase or performs an in-app action. This means every transaction can drive measurable, verifiable environmental impact. - Verified partner integrations - Project transparency and traceability - Real-time reporting and certificates - Automatic receipts and impact logs As climate-conscious consumers demand more accountability, climate APIs have become essential tools for modern brands. ## What Makes a Great Tree Planting API When evaluating sustainability APIs, here's what to look for: - **Verified impact:** Partnerships with reputable organizations like the Arbor Day Foundation or Veritree. - **Transparency:** Clear reporting on location, species, and verification methods. - **Developer-friendly:** REST or GraphQL APIs with simple authentication and webhooks. - **Scalable pricing:** Flexible tiers for startups and enterprises. - **Integration options:** SDKs or Shopify apps for plug-and-play sustainability. ## The Top 4 Tree Planting APIs for 2026 Here's how the landscape looks right now. We've done our best to be fair about the strengths and limitations of each platform, including our own. ### 1. GoodAPI (That's Us) [thegoodapi.com](https://thegoodapi.com) **What we offer:** We enable brands and developers to fund verified reforestation and ocean-plastic removal automatically. We integrate with Shopify natively through the GoodAPI Shopify app, and our REST API can be embedded into any custom app or checkout flow. **Key Features:** - Verified partners: Arbor Day Foundation, Veritree, CleanHub - REST API and GoodAPI Shopify App - Live impact dashboards and certificates - Flexible pricing per tree or bottle removed - Per-order, per-product, and per-customer automation - White-label and co-marketing options **Pricing:** Starting at **$0.43 per tree** **Best For:** Shopify brands, SaaS platforms, and eCommerce agencies looking for automated sustainability tools. **Where we think we stand out:** We're the only tree planting API that combines verified partners, transparent pricing, native Shopify integration, and real-time tracking in a single platform. We haven't found another API on this list that checks every one of those boxes. **Developer Docs:** [www.thegoodapi.com/docs/api](https://www.thegoodapi.com/docs/api/) ### 2. Ecologi API **Overview:** Ecologi is a UK-based sustainability company offering both carbon offsetting and tree planting through its developer API. **Key Features:** - Simple REST endpoints - Public project data - Individual and business accounts - Focus on carbon + trees **Limitations:** Limited real-time verification; API documentation not frequently updated. **Best For:** Developers testing sustainability features or small businesses wanting a quick start. ### 3. Veritree API **Overview:** Veritree provides enterprise-grade transparency for large-scale reforestation. It uses blockchain verification and satellite monitoring to validate each project. They're actually one of our verification partners, and their technology is excellent. **Key Features:** - Polygon-based verification maps - Visual dashboards and media from planting sites - Carbon reporting and ESG data support **Limitations:** Enterprise pricing only; limited developer flexibility. **Best For:** Corporations, ESG teams, and enterprise sustainability programs. ### 4. Tree-Nation API **Overview:** Tree-Nation has planted millions of trees globally and provides an API for businesses to automate donations and generate certificates. **Key Features:** - 90+ global reforestation projects - Basic API for donations and certificates - Basic Shopify app available - Integrates with WooCommerce via third-party tools **Limitations:** Limited customization; no native developer dashboard. Shopify integration is more basic compared to dedicated solutions. **Best For:** Small businesses and charities running simple sustainability campaigns. ## How They Compare **GoodAPI** (us) is the only API that checks every box we think matters: verified partners (Arbor Day, Veritree, CleanHub), real-time tracking, transparent pricing at $0.43/tree, and native Shopify integration. **Ecologi** has partial verification, limited tracking, no public pricing, and no Shopify integration. It's a decent starting point for developers exploring sustainability features. **Veritree** has strong verification and real-time tracking, but enterprise-only pricing and no Shopify integration. If you're a large corporation with ESG requirements, it's worth looking at directly, or you can access their verification through us. **Tree-Nation** has moderate verification, a basic Shopify app, and no real-time tracking. Good for small businesses running simple campaigns, though the Shopify experience is more limited than what we offer with the GoodAPI Shopify app. ## How to Choose the Right Tree Planting API Your ideal API depends on your business model and desired level of verification: - **For Shopify stores:** We built the [GoodAPI Shopify app](https://thegoodapi.com) specifically for this. It's native, no-code, and takes minutes to set up. Tree-Nation also has a basic Shopify app if you're looking for something simpler. - **For enterprises with ESG requirements:** Veritree offers the deepest verification, though at enterprise pricing. You can also access Veritree's verification through GoodAPI. - **For developers or startups exploring sustainability:** Ecologi and Tree-Nation are decent entry points, though they lack the depth and integration options we offer. We obviously think GoodAPI offers the best combination of price, verification, and ease of integration, but we've tried to give you enough information here to make your own call. ## Getting Started with GoodAPI If you want to try us out, here's how it works: 1. Head to [www.thegoodapi.com/docs/api](https://www.thegoodapi.com/docs/api/) to get your API key. 2. Connect your store or backend using our REST API or install the GoodAPI Shopify app. 3. Select a project type: trees, plastic removal, or carbon offset. 4. Automate your impact using webhooks or checkout triggers. 5. Track your results with live dashboards and impact certificates. We also support co-marketing, so you can showcase impact badges, counters, and "Impact Hubs" that display total trees planted or plastic removed to your customers. ## Why Verified Impact Matters Tree planting isn't just about numbers. It's about **verified outcomes**. Poorly managed offset programs risk greenwashing, while verified partners ensure that every dollar counts. For a deeper dive into what separates real programs from green marketing, read our guide on [real tree planting for businesses](/blog/real-tree-planting-for-businesses/). This is something we take seriously. We partner with the Arbor Day Foundation, Veritree, and CleanHub specifically because they provide transparent project data, GPS verification, and traceable reporting. When our customers tell their audience that they planted 10,000 trees, we want that to be a number they can stand behind. ## Frequently Asked Questions **What is the best tree planting API?** We built GoodAPI to be the best tree planting API for businesses. It offers verified reforestation through the Arbor Day Foundation and Veritree, transparent pricing starting at $0.43 per tree, a native Shopify app, and real-time impact dashboards. We're obviously partial, but no other API we've found matches this combination of verification, pricing transparency, and integration options. **What is a tree planting API?** A tree planting API is a set of developer tools that let businesses automate funding for verified reforestation projects. When a user performs an action, like placing an order, the API triggers a real-world tree planting event. **How much does it cost to plant a tree via API?** Most APIs charge between **$0.40 and $1.00 per tree**, depending on project location and verification standards. Our pricing starts at $0.43 per tree, which we believe makes us one of the most affordable options with verified impact. **Can I use a tree planting API with Shopify?** Yes. The **GoodAPI Shopify app** integrates directly with Shopify to plant trees automatically per order or per product. Tree-Nation also offers a basic Shopify app for simpler use cases. **Do these APIs verify where trees are planted?** Some do, some don't. We work with **Veritree** and the **Arbor Day Foundation**, both of which provide GPS data, photos, and reports from planting sites. Not all APIs on this list offer that level of transparency. **How do I get started with GoodAPI?** Head to [www.thegoodapi.com/docs/api](https://www.thegoodapi.com/docs/api/) to get your API key. From there you can connect your store or backend and start automating verified reforestation. ## Final Thoughts We built GoodAPI because we believe every transaction should count toward real-world impact. Tree planting APIs are still a young space, and we think there's room for all of these platforms to do good work. That said, if you're looking for the tree planting API that combines verified partners, transparent per-tree pricing, native Shopify integration, and real-time tracking, we think we're the strongest option available today. We'd love for you to try it and see for yourself. **Visit [www.thegoodapi.com/docs/api](https://www.thegoodapi.com/docs/api/) to get your API key and get started.** --- # How Corporate Tree Planting Programs Work (2026) URL: https://www.thegoodapi.com/blog/corporate-tree-planting-programs-guide/ Description: How corporate tree planting programs work, what verified reforestation costs, and how businesses use APIs to automate impact with every order. Published: 2026-02-13 ## What Is a Corporate Tree Planting Program? A corporate tree planting program is a structured initiative where businesses fund verified reforestation as part of their operations. Rather than making a one-time charitable donation, companies integrate tree planting directly into their business processes, automatically planting trees with every customer order, subscription renewal, or product milestone. These programs have evolved significantly over the past few years. What used to require months of partnership negotiations and manual tracking can now be set up in minutes through a tree planting API. Modern platforms like GoodAPI let businesses connect to verified reforestation partners such as the Arbor Day Foundation and Veritree, automating the entire process from trigger to verification. The result is a scalable, transparent way for any business to contribute to global reforestation without disrupting existing workflows. ## Why Businesses Are Investing in Tree Planting The business case for corporate tree planting has never been stronger. Consumers increasingly expect the brands they support to take measurable environmental action. According to recent surveys, over 80% of consumers have shifted their purchasing behavior toward more sustainable brands, and nearly 70% are willing to pay a premium for products tied to verified environmental impact. For e-commerce brands in particular, tree planting programs serve multiple purposes. They differentiate your store in a crowded market, increase customer loyalty, boost conversion rates, and generate authentic marketing content. When a customer sees that their purchase planted three trees in a verified reforestation project, it transforms a routine transaction into something meaningful. Beyond consumer sentiment, corporate reforestation also supports broader ESG (Environmental, Social, and Governance) goals. For companies reporting to stakeholders or pursuing B Corp certification, verified tree planting provides quantifiable metrics that strengthen sustainability reports. ## How Does Automated Tree Planting Work? Automated tree planting through an API follows a straightforward process that requires minimal technical setup. **Step 1: Connect your platform.** Whether you run a Shopify store, a custom e-commerce site, or a SaaS platform, you connect to a tree planting API like GoodAPI. For Shopify stores, this is as simple as installing the GoodAPI Shopify app. For custom platforms, it takes a few lines of code using the REST API. **Step 2: Configure your triggers.** You decide what action triggers a tree planting event. Common triggers include every completed order, every new subscription, every product review submitted, or reaching a spending threshold. You also choose how many trees to plant per trigger. **Step 3: Trees are planted automatically.** When a trigger fires, the API sends a request to the reforestation partner. The partner allocates the trees to an active planting project. This happens in real time with no manual intervention required. **Step 4: Verification and tracking.** Each tree planting event is logged and verified by the partner organization. With partners like the Arbor Day Foundation and Veritree, this includes project location data, species information, and planting verification. You can track your cumulative impact through a live dashboard. **Step 5: Share your impact.** Display your results to customers through impact badges on your website, post-purchase emails showing trees planted per order, and public impact dashboards that build trust and transparency. ## What Does It Cost to Plant a Tree Through an API? Tree planting costs vary by provider and project, but most tree planting APIs charge between $0.40 and $1.00 per tree. The price depends on the reforestation project location, the species being planted, and the level of verification provided. GoodAPI offers tree planting starting at $0.43 per tree, which includes verification through the Arbor Day Foundation or Veritree. This pricing is published upfront with no hidden fees or minimum commitments. For a Shopify store processing 500 orders per month and planting one tree per order, that works out to roughly $215 per month in direct reforestation funding. When you compare that cost against the conversion lift and customer retention benefits that sustainability programs generate, the return on investment is compelling. Stores using sustainability-centered campaigns have reported conversion increases of over 100% and significant growth in new customer acquisition. ## Choosing the Right Reforestation Partners Not all tree planting programs are created equal. The credibility of your reforestation efforts depends entirely on the partners behind them. Here is what to look for when evaluating tree planting partners. **Third-party verification.** Partners should provide independent verification that trees are actually planted and surviving. The Arbor Day Foundation, one of the oldest and most respected reforestation organizations in the world, provides this level of accountability. Veritree uses blockchain-based verification with GPS coordinates and satellite monitoring. **Project transparency.** You should be able to see exactly where trees are being planted, what species are used, and how the project is progressing. This transparency is essential for communicating your impact to customers without risking greenwashing accusations. **Long-term monitoring.** Planting a tree is just the beginning. Responsible partners monitor survival rates and project health over time, ensuring that your investment leads to lasting forest growth rather than just a planting event. GoodAPI partners with both the Arbor Day Foundation and Veritree specifically because they meet all three criteria. This means businesses using GoodAPI can confidently share their reforestation impact knowing it is backed by rigorous verification. ## Tree Planting for Shopify Stores Shopify is the most popular e-commerce platform for businesses implementing tree planting programs, and for good reason. The ecosystem supports native app integrations that make sustainability automation seamless. The GoodAPI Shopify app is built specifically for this use case. After installation, store owners can configure tree planting rules without writing any code. Options include planting a set number of trees per order, planting trees based on order value, or letting customers choose to add trees at checkout. The app also provides embeddable widgets that display your store's total impact, including trees planted, carbon sequestered, and projects supported. These widgets appear on your storefront and serve as powerful trust signals that encourage customers to complete their purchase. For stores using Klaviyo or other email marketing platforms, GoodAPI integrates with post-purchase email flows. Customers receive personalized notifications like "Your order just planted 5 trees in the Arbor Day Foundation's reforestation project" which reinforces the value of their purchase and encourages repeat buying. ## Tree Planting Beyond E-Commerce While Shopify stores are a natural fit, tree planting APIs serve a much broader range of businesses. SaaS companies are embedding reforestation into their subscription models, planting trees for every new user signup or annual renewal. Fintech platforms are tying tree planting to transactions, letting users see their environmental impact alongside their financial activity. Event platforms are planting trees per ticket sold. HR platforms are offering tree planting as an employee benefit. Even gaming companies are incorporating reforestation into in-app purchases, giving players the option to plant real trees alongside virtual rewards. The flexibility of a REST API means that any business with a digital product can integrate tree planting into their workflow. The GoodAPI developer documentation at [www.thegoodapi.com/docs/api](https://www.thegoodapi.com/docs/api/) provides code samples and guides for common integration patterns. ## Measuring and Reporting Your Impact One of the most important aspects of a corporate tree planting program is the ability to measure and report results accurately. This matters for three audiences: your customers, your internal team, and your stakeholders. For customers, real-time impact counters and certificates create a tangible connection to your sustainability efforts. Seeing "12,450 trees planted" on your homepage is far more powerful than a vague "we care about the environment" statement. For your team, detailed reporting helps justify the program's budget and identify opportunities to scale. GoodAPI provides analytics on trees planted per period, cost per tree, project breakdowns, and customer engagement with sustainability features. For stakeholders and ESG reporting, verified impact data from partners like the Arbor Day Foundation and Veritree provides the documentation needed for sustainability reports, B Corp applications, and investor communications. ## Common Questions About Corporate Tree Planting **How many trees should my business plant per order?** Most businesses start with one to three trees per order. The ideal number depends on your margins and the message you want to send. Even one tree per order adds up quickly and gives customers a clear, tangible impact to connect with. **Where are the trees planted?** Through GoodAPI, trees are planted across multiple global reforestation projects managed by the Arbor Day Foundation and Veritree. Projects span North America, Central America, Africa, and Southeast Asia, targeting areas with the highest ecological need. **Can I choose which reforestation project my trees support?** Yes. GoodAPI allows businesses to select specific projects or let the platform allocate trees to the highest-priority projects. This flexibility lets you align your reforestation efforts with your brand story or customer preferences. **Is corporate tree planting effective for carbon offsetting?** Tree planting contributes to carbon sequestration, but the timeline and amount vary by species and location. A single tree absorbs roughly 10 to 50 kilograms of CO2 per year depending on the species and maturity. For businesses seeking precise carbon offset calculations, GoodAPI also offers dedicated carbon offset projects alongside tree planting. **How do I get started with a tree planting API?** Visit [www.thegoodapi.com/docs/api](https://www.thegoodapi.com/docs/api/) to create your account and get an API key. From there, you can install the Shopify app or integrate the REST API into your platform. Most businesses are up and running within a day. ## Start Planting Trees With Every Transaction Corporate tree planting programs are no longer a nice-to-have perk. They are becoming a standard expectation from consumers, employees, and investors alike. The tools to get started are more accessible and affordable than ever. With GoodAPI, you can automate verified reforestation starting at $0.43 per tree, backed by the Arbor Day Foundation and Veritree. Whether you run a Shopify store, a SaaS platform, or a custom application, you can start planting trees in minutes. Visit [thegoodapi.com](https://thegoodapi.com) to learn more, or head to [www.thegoodapi.com/docs/api](https://www.thegoodapi.com/docs/api/) to get your API key and start making every transaction count. --- # GoodAPI Plastic Removal API: Developer Guide URL: https://www.thegoodapi.com/blog/how-to-use-goodapi-plastic-removal-api-developer-guide/ Description: Step-by-step guide to integrating the GoodAPI plastic removal API. Includes endpoints, auth, and code examples in cURL, Python, and Node.js. Published: 2026-02-13 ## Introduction: Automate Ocean Plastic Removal With a Single API Call Removing ocean bound plastic from the environment used to require lengthy partnerships, manual invoicing, and zero developer tooling. GoodAPI changes that. With a single POST request, you can fund the collection and verified processing of ocean bound plastic bottles through our partner network. This guide walks you through everything you need to integrate the GoodAPI plastic removal API into your application. Whether you are building a Shopify app, a SaaS product, or a custom checkout flow, you will be making verified plastic removal calls in under 10 minutes. Full documentation is available at [www.thegoodapi.com/docs/api](https://www.thegoodapi.com/docs/api/). ## Getting Your API Key Before making any API calls, you need a GoodAPI account and an API key. **Step 1:** Visit [www.thegoodapi.com/docs/api](https://www.thegoodapi.com/docs/api/) and sign up for an account. **Step 2:** Once registered, you will receive both a production API key and a test API key. **Step 3:** Use the test key during development. It works exactly like the production key but does not incur charges or trigger real plastic removal events. Switch to the production key when you are ready to go live. Your API key is passed in the `Authorization` header of every request. There is no OAuth flow or token exchange required. Authentication is as simple as including your key directly in the header. ## The Plastic Removal Endpoint The core endpoint for removing ocean bound plastic bottles is: `POST https://app.thegoodapi.com/rescue/plastic_bottles` This endpoint accepts a JSON body and returns a confirmation with details about the bottles rescued. ### Request Headers Every request requires two headers: ``` Authorization: YOUR_API_KEY Content-Type: application/json ``` ### Request Body Parameters The request body accepts the following parameters: **count** (integer, required): The number of plastic bottles you want to rescue. This is the only required parameter. Each unit represents one ocean bound plastic bottle that will be collected and verified. **attribution** (string, optional): A non-unique lookup key you can use to tag the removal event. This is useful for associating plastic removal with a specific customer, order, or campaign. You can later filter your removal history by this attribution key. **metadata** (JSON object, optional): Arbitrary key-value pairs that you can attach to the removal event. Use this to store any additional context like order IDs, customer emails, product SKUs, or campaign identifiers. **idempotency_key** (string, optional): A unique key to prevent duplicate removal events. If you send the same idempotency key twice, the second request will not trigger an additional removal. This is essential for webhook-driven integrations where retries might occur. ## Code Examples ### cURL The simplest way to test the endpoint is with cURL: ```bash curl --request POST \ --url https://app.thegoodapi.com/rescue/plastic_bottles \ --header 'Authorization: YOUR_API_KEY' \ --header 'Content-Type: application/json' \ --data '{"count": 5, "attribution": "order-12345", "metadata": {"customer_email": "jane@example.com", "order_id": "12345"}}' ``` Replace `YOUR_API_KEY` with your test key to try it without charges. ### Python For Python applications, using the `requests` library: ```python url = "https://app.thegoodapi.com/rescue/plastic_bottles" headers = { "Authorization": "YOUR_API_KEY", "Content-Type": "application/json" } payload = { "count": 5, "attribution": "order-12345", "metadata": { "order_id": "12345", "customer_email": "jane@example.com" } } response = requests.post(url, json=payload, headers=headers) print(response.json()) ``` ### Node.js For Node.js applications using the built-in `fetch` API: ```javascript const response = await fetch('https://app.thegoodapi.com/rescue/plastic_bottles', { method: 'POST', headers: { 'Authorization': 'YOUR_API_KEY', 'Content-Type': 'application/json' }, body: JSON.stringify({ count: 5, attribution: 'order-12345', metadata: { order_id: '12345', customer_email: 'jane@example.com' } }) }); const data = await response.json(); console.log(data); ``` ### PHP For PHP applications: ```php $ch = curl_init('https://app.thegoodapi.com/rescue/plastic_bottles'); curl_setopt($ch, CURLOPT_RETURNTRANSFER, true); curl_setopt($ch, CURLOPT_POST, true); curl_setopt($ch, CURLOPT_HTTPHEADER, [ 'Authorization: YOUR_API_KEY', 'Content-Type: application/json' ]); curl_setopt($ch, CURLOPT_POSTFIELDS, json_encode([ 'count' => 5, 'attribution' => 'order-12345', 'metadata' => ['order_id' => '12345'] ])); $response = curl_exec($ch); curl_close($ch); echo $response; ``` ## Understanding the Response A successful 200 response returns a JSON object with the following key fields: **total_rescued_bottles**: The total number of bottles your account has rescued to date across all API calls. **total_rescued_bottles_month**: The number of bottles rescued in the current billing month. **bottle_details**: An array of objects containing the details of the bottles just rescued, including: - **id**: A unique identifier for this rescue event. - **count**: The number of bottles rescued in this call. - **fractional_count**: For partial bottle counts if applicable. - **created_at**: The timestamp of the rescue event. - **idempotency_key**: The idempotency key if one was provided. - **metadata**: The metadata object you passed in the request. - **attribution**: The attribution string you passed in the request. - **refunded**: Whether this rescue event has been refunded. ## Pricing Ocean bound plastic removal through GoodAPI costs **$0.05 per bottle**. Your first 100 bottles are free, giving you room to test the integration in production before committing to a paid volume. GoodAPI bills monthly. At the end of each billing cycle, you receive an invoice for all production API calls made during that period. There are no upfront costs, no minimum commitments, and no contracts. You can scale up or down at any time. For a Shopify store removing 3 bottles per order and processing 1,000 orders per month, the cost would be $150 per month. That works out to $0.15 per order, a negligible cost that delivers measurable environmental impact and a strong customer loyalty signal. ## Best Practices for Integration ### Use Idempotency Keys If your integration is triggered by webhooks (such as Shopify order webhooks), always include an idempotency key. Webhooks can fire multiple times for the same event, and without an idempotency key, you could trigger duplicate removals. Use the order ID or transaction ID as your idempotency key to ensure each event is processed exactly once. ### Use Attribution for Tracking The attribution field is powerful for analytics. By tagging each removal with a customer email, order ID, or campaign name, you can later query your removal history to understand which customers, products, or campaigns drive the most impact. This data is invaluable for sustainability reporting and marketing. ### Store Metadata Generously The metadata field accepts any JSON object, so use it to store whatever context is relevant to your business. Common metadata includes order IDs, product names, store identifiers (for multi-store setups), and campaign tags. This makes it easy to reconcile your impact data with your business data. ### Handle Errors Gracefully Like any API, the plastic removal endpoint can return errors. Common scenarios include invalid API keys (401), malformed request bodies (400), and rate limiting. Implement proper error handling and retry logic with exponential backoff. For mission-critical integrations, consider queuing removal requests and processing them asynchronously. ### Use Test Keys During Development GoodAPI provides separate test and production API keys. The test key behaves identically to the production key but does not trigger real plastic removal or generate charges. Always develop and test with the test key, and only switch to the production key when deploying to your live environment. ## Common Integration Patterns ### E-Commerce: Remove Plastic Per Order The most common pattern is triggering plastic removal after each completed order. In a Shopify store, this is handled automatically by the GoodAPI Shopify app. For custom integrations, listen for your order completion webhook and make a POST call to the plastic removal endpoint with the order details in the metadata. ### SaaS: Remove Plastic Per Subscription SaaS companies can tie plastic removal to subscription events. Plant trees or remove plastic when a user signs up, upgrades, or renews. This creates a tangible environmental benefit that customers associate with their subscription, increasing perceived value and reducing churn. ### Marketing: Remove Plastic Per Campaign Action Use plastic removal as a campaign incentive. Remove bottles when users complete a survey, sign up for a newsletter, leave a product review, or share on social media. The API's flexibility means you can attach plastic removal to any digital action that your application can detect. ### Multi-Impact: Combine Trees and Plastic GoodAPI supports both tree planting (`POST https://app.thegoodapi.com/plant/trees`) and plastic removal (`POST https://app.thegoodapi.com/rescue/plastic_bottles`) through the same API key and authentication pattern. Many businesses call both endpoints on the same trigger to deliver a combined environmental impact with every transaction. ## Displaying Your Impact to Customers Removing ocean plastic behind the scenes is great, but showing your customers the impact is what drives loyalty and conversions. GoodAPI provides several tools for this. **Public Impact Dashboard.** GoodAPI generates a public-facing dashboard that displays your total bottles rescued, trees planted, and project details. You can embed this dashboard on your website or link to it from your footer or sustainability page. **Widgets and Badges.** Add impact counters and badges to your storefront that update in real time. Customers see "1,250 bottles rescued" growing with every order, creating a sense of shared achievement. **Post-Purchase Emails.** Use the response data from the API call to personalize confirmation emails. Include the specific bottle count from the customer's order alongside a link to your public dashboard. Integrations with Klaviyo and other email platforms make this seamless. **Certificates.** GoodAPI provides monthly impact certificates that verify your total contributions. These certificates are useful for sustainability reports, social media content, and customer communications. ## Verification and Transparency Every bottle rescued through GoodAPI is verified by our collection and processing partners. The verification chain includes documented collection events with GPS data and timestamps, weigh-in records at processing facilities, processing certificates confirming the plastic was recycled or safely disposed of, and monthly aggregate reports delivered to your account. This level of transparency means you can make credible environmental claims to your customers, investors, and certification bodies. Every number you share is backed by a verifiable data trail. ## Frequently Asked Questions **What is the GoodAPI plastic removal API?** The GoodAPI plastic removal API is a REST endpoint that allows developers to automatically fund the collection and processing of ocean bound plastic bottles with a simple POST request. Each API call triggers a verified removal event through GoodAPI's partner network. **How much does it cost to remove ocean plastic via API?** Ocean bound plastic removal through GoodAPI costs $0.05 per bottle. Your first 100 bottles are free. Billing is monthly with no minimum commitments or contracts. **What is the API endpoint for plastic removal?** The endpoint is `POST https://app.thegoodapi.com/rescue/plastic_bottles`. It accepts a JSON body with the number of bottles to remove and optional attribution and metadata fields. **How do I authenticate with the GoodAPI?** Pass your API key in the `Authorization` header of each request. No OAuth or token exchange is required. You receive both a test and production key when you create your account. **Can I use the API with Shopify?** Yes. The GoodAPI Shopify app provides a no-code integration that handles plastic removal automatically per order. If you prefer a custom integration, you can use the REST API with Shopify webhooks to trigger removal on order completion. **Can I combine plastic removal with tree planting?** Yes. GoodAPI provides separate endpoints for tree planting (`POST /plant/trees`) and plastic removal (`POST /rescue/plastic_bottles`). Both use the same API key and authentication pattern, so you can call both on the same trigger. **How is the plastic removal verified?** Every removal is tracked through a chain of custody that includes collection documentation, GPS data, weigh-in records, and processing certificates. Monthly verification reports are available through your GoodAPI dashboard. **Is there a rate limit?** GoodAPI is built to handle high-volume e-commerce workloads. For most use cases, rate limits will not be a concern. If you anticipate very high volumes, contact the GoodAPI team at [hello@thegoodapi.com](mailto:hello@thegoodapi.com) to discuss your needs. ## Get Started Integrating ocean bound plastic removal into your application takes minutes. Sign up at [www.thegoodapi.com/docs/api](https://www.thegoodapi.com/docs/api/) to get your API key, test with the sandbox environment, and go live when you are ready. Every API call you make funds the collection and verified processing of ocean bound plastic, creating real environmental impact that you can share with your customers and stakeholders. Visit [thegoodapi.com](https://thegoodapi.com) to learn more about our platform, or dive straight into the [plastic removal endpoint documentation](https://www.thegoodapi.com/docs/api/ocean-bound-plastic/) to start building. --- # How Sustainable E-Commerce Brands Convert More Customers URL: https://www.thegoodapi.com/blog/sustainable-ecommerce-brands-convert-more-customers/ Description: Sustainability sells. Discover how eco-friendly e-commerce brands turn environmental impact into higher conversions, loyalty, and growth. Published: 2026-02-13 ## Sustainability Isn't Just Good for the Planet. It's Good for Business Here's a question that keeps coming up in e-commerce circles: does going green actually help your bottom line? The short answer is yes, and the numbers back it up. According to PwC's 2024 Voice of the Consumer Survey, shoppers are willing to pay an average of 9.7% more for products that are sustainably produced or sourced. That's not a rounding error. For a store doing $50,000 a month, that kind of premium translates into real revenue. But it goes deeper than pricing. Sustainability is increasingly becoming a deciding factor in whether someone clicks "Add to Cart" or bounces to the next store. Let's break down why, and how you can use it to your advantage. ## The Numbers Don't Lie The shift in consumer behavior isn't subtle anymore. Around 85% of consumers have changed their purchasing habits toward more sustainable options in recent years. And 68% of Americans say they'd pay more for environmentally sustainable products over comparable non-sustainable alternatives. Here's what's really interesting: products with ESG-related claims (environmental, social, and governance) accounted for 56% of all retail growth over a recent five-year period. That's roughly 18% more growth than expected based on their initial market share alone. In other words, sustainable products aren't just keeping pace. They're outpacing the rest of the market. ## Gen Z and Millennials Are Leading the Charge If your customer base skews younger, sustainability matters even more. A striking 79% of Gen Z consumers say they actively consider sustainability when deciding which brands to buy from. And 77% of Gen Z and 72% of Millennials report being willing to pay a premium for sustainable goods. These aren't just survey results. They represent the largest and fastest-growing consumer demographics. Brands that ignore this shift risk being left behind as these shoppers become the dominant buying force. ## How Sustainability Drives Conversions So how does all this translate into actual conversions? A few key mechanisms are at play. **Trust and transparency.** When customers see that a brand is making a verified environmental impact, not just slapping a green label on packaging, it builds genuine trust. And trust is the foundation of conversion. Shoppers who believe in your mission are more likely to complete a purchase and less likely to abandon their cart. **Differentiation in a crowded market.** With millions of Shopify stores competing for the same customers, standing out is everything. Sustainability gives you a story that competitors can't easily replicate. It's not just about what you sell. It's about what you stand for. **Higher average order values.** When customers feel good about their purchase, knowing that their order plants a tree or removes ocean-bound plastic, they tend to spend more. It transforms a transaction into a contribution, and that emotional connection drives higher cart values. **Repeat purchases and loyalty.** Sustainability-aligned customers aren't just one-time buyers. They come back because they want to keep supporting a brand that shares their values. Lower acquisition costs, higher lifetime value. That's the kind of math every store owner loves. ## From Buzzword to Business Strategy The days of sustainability being a nice-to-have marketing angle are over. The eco-friendly retail market is growing 71% faster than conventional retail. American consumers are projected to spend $217 billion on eco-friendly products in 2025, with that figure expected to nearly double to over $400 billion by 2032. And it's not just about products themselves. Brands that run sustainability-centered campaigns are seeing outsized results. One notable example saw a sustainability-focused campaign drive a 110% sales uplift and attract over half of its customers as brand-new buyers. The message is clear: sustainability isn't a cost center. It's a growth engine. ## Making It Work for Your Store The good news is that you don't need to overhaul your entire supply chain to start making an impact. Modern tools make it surprisingly easy to embed sustainability directly into your customer experience. With platforms like GoodAPI, you can automatically plant trees or remove ocean-bound plastic with every order your store processes. The setup takes minutes, not months. And the impact is verified through trusted partners like the Arbor Day Foundation, Veritree, and CleanHub, so you can share real results with your customers, not empty promises. Here's what a practical sustainability strategy looks like for an e-commerce store: **Start with automated impact.** Connect the GoodAPI Shopify app to your store. Every order automatically triggers a tree planting or plastic removal action, no manual work required. **Show your impact.** Add impact badges, banners, and counters to your homepage, cart, and checkout pages. Let customers see the difference their purchase makes in real time. **Tell customers about it.** Use email integrations (like Klaviyo) to send personalized impact notifications after each purchase. A simple "Your order just planted 3 trees" email can turn a first-time buyer into a loyal advocate. **Track and share results.** Use a public impact dashboard to showcase your cumulative contributions. Transparency builds trust, and trust builds conversions. ## The Bottom Line Sustainable e-commerce isn't about virtue signaling or jumping on a trend. It's about meeting your customers where they already are, and they're increasingly choosing brands that care about the planet. The data tells a consistent story: sustainability drives higher conversion rates, larger order values, stronger customer loyalty, and faster growth. And with the right tools, getting started is easier than you might think. Ready to turn every order into real-world impact? Visit [thegoodapi.com](https://thegoodapi.com) to start planting trees and removing ocean plastic, automatically. --- # What Is Ocean Bound Plastic? A Business Guide URL: https://www.thegoodapi.com/blog/what-is-ocean-bound-plastic-removal-for-businesses/ Description: Learn what ocean bound plastic is, why it matters, and how businesses use plastic removal APIs to intercept it before it reaches the ocean. Published: 2026-02-13 ## What Is Ocean Bound Plastic? Ocean bound plastic is plastic waste that has not yet reached the ocean but is at high risk of ending up there. It refers specifically to plastic found within 50 kilometers of a coastline or waterway in areas where waste management infrastructure is inadequate or nonexistent. This plastic is sitting in open dumps, along riverbanks, on beaches, and in communities with no formal collection systems. The term matters because it shifts the conversation from ocean cleanup to ocean prevention. Once plastic enters the ocean, it breaks into microplastics that are nearly impossible to recover. Intercepting ocean bound plastic before it reaches the water is far more effective and far less expensive than trying to clean it up afterward. According to research published in Science, approximately 8 million metric tons of plastic enter the ocean every year. The vast majority of this comes from coastal communities in regions without adequate waste infrastructure. By targeting ocean bound plastic at its source, businesses and organizations can have a measurably larger impact per dollar spent than traditional ocean cleanup efforts. ## Why Ocean Bound Plastic Removal Matters for Businesses Plastic pollution has become one of the most visible environmental crises of our time. Consumers are aware of it, concerned about it, and increasingly making purchasing decisions based on which brands are doing something about it. For e-commerce brands, offering ocean plastic removal as part of the customer experience is a powerful differentiator. When a customer sees that their order helped remove a bottle of ocean bound plastic, it creates an emotional connection that drives loyalty and repeat purchases. It tells customers that their money is going toward something real and measurable. There is also a growing regulatory dimension. The European Union, Canada, and several Asian countries have implemented or are developing extended producer responsibility (EPR) laws that hold brands accountable for the plastic waste associated with their products. Proactive ocean plastic removal programs help businesses get ahead of these regulations while building goodwill with environmentally conscious consumers. From an ESG perspective, ocean bound plastic removal provides a clear, quantifiable metric for sustainability reporting. Unlike vague pledges to "reduce plastic use," verified plastic removal through partners like CleanHub delivers data that stakeholders, investors, and certification bodies can verify independently. ## How Ocean Bound Plastic Removal Works Ocean bound plastic removal programs work by funding the collection and proper processing of plastic waste in coastal communities before it can enter waterways and reach the ocean. Here is how the process typically works. **Collection.** Local waste collection teams in coastal regions gather plastic waste from beaches, riverbanks, open dumps, and communities. These teams are typically members of the local community, meaning the program also creates economic opportunities in underserved areas. **Sorting and processing.** Collected plastic is sorted by type (PET, HDPE, LDPE, etc.) and sent to appropriate processing facilities. Some plastic is recycled into new materials, while non-recyclable plastic is processed through waste-to-energy or co-processing facilities to prevent it from returning to the environment. **Verification.** Every kilogram of plastic collected is documented and verified through a chain-of-custody system. Partners like CleanHub use digital tracking tools that record collection events, weigh-ins, and processing outcomes. This data is made available to businesses funding the removal, ensuring full transparency. **Reporting.** Businesses receive detailed reports on the amount of plastic removed, the collection locations, the types of plastic recovered, and the processing methods used. This information can be shared with customers through impact dashboards, post-purchase communications, and sustainability reports. ## The Role of Ocean Plastic Removal APIs Just as tree planting APIs automated reforestation for businesses, ocean plastic removal APIs have made it possible to automate plastic interception with every customer transaction. This is where platforms like GoodAPI come in. GoodAPI provides a REST API and a native Shopify app that lets businesses automatically fund ocean bound plastic removal with every order. The process is fully automated: when a customer completes a purchase, the API triggers a plastic removal event through CleanHub, GoodAPI's verified ocean plastic partner. The integration is designed to be as simple as possible. Shopify store owners can install the GoodAPI Shopify app and configure plastic removal rules without writing any code. For custom platforms, the REST API requires just a few lines of code to integrate into any checkout flow or backend process. Each plastic removal event is tracked in real time. Businesses can see their cumulative impact through a live dashboard, and customers can be notified about the impact of their specific order through email integrations with platforms like Klaviyo. ## How Much Does Ocean Plastic Removal Cost? Ocean bound plastic removal is surprisingly affordable. Through GoodAPI, businesses can fund the removal of ocean bound plastic starting at just a few cents per bottle equivalent. The exact cost depends on the collection region and the type of plastic being removed. For a typical Shopify store, adding ocean plastic removal to every order might cost between $0.10 and $0.50 per transaction. When weighed against the customer lifetime value increase and conversion rate improvement that sustainability features drive, the return on investment is substantial. GoodAPI publishes its pricing transparently, with no hidden fees or minimum order requirements. Businesses can start with a small commitment and scale as their impact program grows. ## Who Is CleanHub and Why They Matter CleanHub is a leading ocean bound plastic collection and verification platform based in Berlin. They operate collection programs in coastal communities across India, Indonesia, and other high-risk regions where plastic waste is most likely to enter the ocean. What sets CleanHub apart is their rigorous verification process. Every collection event is tracked digitally from pickup to processing. They provide photographic evidence, GPS data, weight records, and processing certificates for every batch of plastic collected. This level of transparency is critical for businesses that want to make credible environmental claims. CleanHub is also focused on creating positive social impact alongside environmental outcomes. Their collection programs employ local community members, providing stable income in areas where economic opportunities are limited. This dual impact of environmental protection and community development makes CleanHub-verified plastic removal a compelling story for brands to share with their customers. GoodAPI partners with CleanHub to make their verified ocean plastic removal accessible to any business through a simple API call. This means businesses of any size can access the same verification and transparency that was previously available only to large enterprises with dedicated sustainability teams. ## Ocean Plastic Removal for Shopify Stores For Shopify merchants, adding ocean bound plastic removal to your store is one of the highest-impact, lowest-effort sustainability actions you can take. The GoodAPI Shopify app handles everything from configuration to tracking. After installing the app, you can set up rules to remove a specific number of plastic bottles per order, per product, or per dollar spent. The app supports multiple impact types, so you can combine ocean plastic removal with tree planting if you want to offer a more comprehensive sustainability program. The app also provides front-end widgets that you can add to your homepage, product pages, and cart. These widgets display your store's total impact in real time, showing customers how many bottles of ocean plastic have been removed thanks to their purchases. These visual elements serve as trust signals that can increase conversion rates and average order values. Post-purchase, the app integrates with email marketing platforms to send personalized impact notifications. A message like "Your order just removed 5 bottles of ocean bound plastic through CleanHub" turns a confirmation email into a loyalty-building touchpoint. ## Combining Tree Planting and Ocean Plastic Removal Many businesses are discovering that the most effective sustainability programs combine multiple impact types. Planting trees addresses carbon sequestration and biodiversity, while removing ocean bound plastic tackles pollution and marine ecosystem protection. Together, they tell a more complete environmental story. GoodAPI makes this combination straightforward. Through a single API integration or the Shopify app, businesses can configure both tree planting and ocean plastic removal on the same trigger. For example, every order could plant two trees through the Arbor Day Foundation and remove three bottles of ocean bound plastic through CleanHub. This multi-impact approach resonates strongly with consumers. It shows that your brand is not focused on a single environmental issue but is taking a holistic approach to sustainability. It also provides more content for marketing and communications, giving you multiple stories to tell across your website, emails, and social media. ## The Business Impact of Ocean Plastic Removal Programs The data on consumer response to sustainability initiatives is clear and growing. Products with environmental claims consistently outperform their conventional counterparts in sales growth. Brands that communicate verified environmental impact see higher conversion rates, larger average order values, and stronger customer retention. Ocean plastic removal is particularly effective as a marketing message because it is tangible and visual. Customers can easily understand the concept of removing a plastic bottle from a beach before it reaches the ocean. It does not require explaining complex carbon accounting or abstract offset mechanisms. The simplicity of the message makes it more shareable and more likely to influence purchasing decisions. For brands competing in crowded e-commerce categories, ocean plastic removal provides a differentiation story that competitors cannot easily replicate. It moves the conversation beyond product features and pricing into the realm of shared values and purpose. ## Common Questions About Ocean Bound Plastic Removal **What is the difference between ocean bound plastic and ocean plastic?** Ocean plastic is plastic that has already entered the ocean. Ocean bound plastic is plastic that is at risk of entering the ocean but has not yet reached the water. Intercepting ocean bound plastic is more cost-effective and environmentally impactful than removing plastic from the ocean itself. **How is ocean bound plastic removal verified?** Through GoodAPI, ocean bound plastic removal is verified by CleanHub. They use digital tracking, GPS data, photographic evidence, and processing certificates to document every kilogram of plastic collected and processed. This data is available to businesses through dashboards and reports. **Can my customers see the impact of their specific order?** Yes. GoodAPI supports per-order impact tracking. Customers can receive email notifications showing the exact number of plastic bottles removed as a result of their purchase. You can also display cumulative impact on your website through embeddable widgets. **Where is ocean bound plastic collected?** CleanHub operates collection programs in coastal communities across India, Indonesia, and other regions with high plastic leakage risk. These are areas where plastic waste is most likely to enter rivers and oceans due to inadequate waste management infrastructure. **Can I offer ocean plastic removal alongside tree planting?** Yes. GoodAPI supports multiple impact types through a single integration. You can configure tree planting through the Arbor Day Foundation or Veritree alongside ocean plastic removal through CleanHub, all triggered by the same customer action. **How do I add ocean plastic removal to my Shopify store?** Install the GoodAPI Shopify app from the Shopify App Store. After installation, you can configure plastic removal rules, add impact widgets to your storefront, and connect email integrations, all without writing any code. **What is an ocean plastic removal API?** An ocean plastic removal API is a developer tool that allows businesses to automatically fund the collection and processing of ocean bound plastic through a simple API call. GoodAPI provides a REST API that integrates with any platform, making it possible to remove ocean plastic with every customer transaction, subscription, or in-app action. ## Start Removing Ocean Plastic Today Ocean bound plastic is one of the most urgent environmental challenges we face, but it is also one of the most actionable. With the right tools, any business can contribute to intercepting plastic before it reaches the ocean, while building a stronger connection with environmentally conscious customers. GoodAPI makes ocean bound plastic removal accessible to businesses of every size. Through our partnership with CleanHub, every plastic removal event is verified, tracked, and reported with full transparency. Whether you run a Shopify store, a SaaS platform, or a custom application, you can start removing ocean plastic in minutes. Visit [thegoodapi.com](https://thegoodapi.com) to learn more, or head to [www.thegoodapi.com/docs/api](https://www.thegoodapi.com/docs/api/) to get your API key and start making every transaction count toward a cleaner ocean. ---