Skip to main content

Add configuration to the payments function

To configure your payment customization function, use metafields. Metafields provide flexibility for Shopify Functions and enable you to create merchant-facing UIs for managing function settings in the Shopify admin.


In this tutorial, you'll learn how to do the following tasks:

  • Define what configuration settings will be surfaced to merchants.
  • Read and use the merchant-defined values in your function.
Caution

In this tutorial, you'll use a metafield namespace that's accessible to any app so that the metafield namespace can be populated using the GraphiQL app. To make your function ready for production, you should update the metafield namespace to use a reserved prefix so that other apps can't use your metafield. You'll make this update in the next tutorial.



Anchor to Step 1: Configure the functionStep 1: Configure the function

To make your function reusable, you can replace hardcoded values in your function with metafield values. You can update your input query to request a metafield value on the created payment customization, which is the function owner for this function API. You can then use that value in your function logic.

  1. Navigate to your function in extensions/payment-customization.

    cd extensions/payment-customization
  2. Replace the code in the src/run.graphql file with the following code.

    This update to the input query adds a metafield from the paymentCustomization object, which is the function owner.

    The query differs slightly in Rust and JavaScript due to code generation requirements.

    run.graphql

    src/run.graphql

    query Input {
    cart {
    cost {
    totalAmount {
    amount
    }
    }
    }
    paymentMethods {
    id
    name
    }
    paymentCustomization {
    metafield(namespace: "payment-customization", key: "function-configuration") {
    jsonValue
    }
    }
    }
    query RunInput {
    cart {
    cost {
    totalAmount {
    amount
    }
    }
    }
    paymentMethods {
    id
    name
    }
    paymentCustomization {
    metafield(namespace: "payment-customization", key: "function-configuration") {
    jsonValue
    }
    }
    }
  3. If you're using JavaScript, then run the following command to regenerate types based on your input query:

    Terminal

    shopify app function typegen
  4. If you're using Rust replace the src/main.rs file with the following code that will convert the metafield into a data structure in the Rust program.

    Rust

    src/main.rs
    use shopify_function::prelude::*;
    use std::process;

    pub mod run;

    #[typegen("schema.graphql")]
    pub mod schema {
    #[query("src/run.graphql",
    custom_scalar_overrides = {
    "Input.paymentCustomization.metafield.jsonValue" => super::run::Configuration,
    }
    )]
    pub mod run {}
    }

    fn main() {
    eprintln!("Please invoke a named export.");
    process::exit(1);
    }
  5. Replace the src/run.rs or src/run.js file with the following code.

    This update includes parsing the JSON metafield value, and using values from that JSON in the function logic instead of hardcoded values.

    This change is automatically reflected as long as you're running dev.

    File

    src/run.rs

    use super::schema;
    use shopify_function::prelude::*;
    use shopify_function::Result;

    #[derive(Deserialize, Default, PartialEq)]
    #[shopify_function(rename_all = "camelCase")]
    pub struct Configuration {
    payment_method_name: String,
    cart_total: f64,
    }

    #[shopify_function]
    fn run(input: schema::run::Input) -> Result<schema::FunctionRunResult> {
    let no_changes = schema::FunctionRunResult { operations: vec![] };

    let config: &Configuration = match input.payment_customization().metafield() {
    Some(metafield) => metafield.json_value(),
    None => return Ok(no_changes),
    };

    let cart_total: f64 = input.cart().cost().total_amount().amount().as_f64();
    if cart_total < config.cart_total {
    eprintln!("Cart total is not high enough, no need to hide the payment method.");
    return Ok(no_changes);
    }

    let operations = input
    .payment_methods()
    .iter()
    .find(|&method| method.name().contains(&config.payment_method_name))
    .map(|method| {
    vec![schema::Operation::Hide(schema::HideOperation {
    payment_method_id: method.id().clone(),
    placements: None,
    })]
    })
    .unwrap_or_default();

    Ok(schema::FunctionRunResult { operations })
    }
    // @ts-check

    /**
    * @typedef {import("../generated/api").RunInput} RunInput
    * @typedef {import("../generated/api").FunctionRunResult} FunctionRunResult
    */

    /**
    * @type {FunctionRunResult}
    */
    const NO_CHANGES = {
    operations: [],
    };

    /**
    * @param {RunInput} input
    * @returns {FunctionRunResult}
    */
    export function run(input) {
    // Define a type for your configuration, and parse it from the metafield
    /**
    * @type {{
    * paymentMethodName: string
    * cartTotal: number
    * }}
    */
    const configuration = input?.paymentCustomization?.metafield?.jsonValue ?? {};

    if (!configuration.paymentMethodName || !configuration.cartTotal) {
    return NO_CHANGES;
    }

    const cartTotal = parseFloat(input.cart.cost.totalAmount.amount ?? "0.0");
    // Use the configured cart total instead of a hardcoded value
    if (cartTotal < configuration.cartTotal) {
    console.error("Cart total is not high enough, no need to hide the payment method.");
    return NO_CHANGES;
    }

    // Use the configured payment method name instead of a hardcoded value
    const hidePaymentMethod = input.paymentMethods
    .find(method => method.name.includes(configuration.paymentMethodName));

    if (!hidePaymentMethod) {
    return NO_CHANGES;
    }

    return {
    operations: [{
    hide: {
    paymentMethodId: hidePaymentMethod.id
    }
    }]
    };
    };

Anchor to Step 2: Populate the payment customization configuration metafieldStep 2: Populate the payment customization configuration metafield

To populate the configuration metafield, you'll first use the paymentCustomizations query to confirm the payment customization ID, and then use the metafieldsSet mutation to populate the same metafield that you specified in the input query.

  1. Open the Shopify GraphiQL app on your development store.

  2. In the GraphiQL app, in the API Version field, select the 2023-07 version.

  3. Execute the following query, and make note of the id value of the payment customization that you created in the previous tutorial. For more information about global IDs, refer to Global IDs in Shopify APIs.

    payment-customization-query.graphql

    query {
    paymentCustomizations(first: 100) {
    edges {
    node {
    id
    title
    }
    }
    }
    }
  4. Execute the following mutation and replace YOUR_CUSTOMIZATION_ID_HERE with the full global ID of your payment customization.

    The value of the metafield specifies that the function should hide Cash on Delivery when the cart total is above 150.

    metafield-set-mutation.graphql

    mutation {
    metafieldsSet(metafields: [
    {
    ownerId: "YOUR_CUSTOMIZATION_ID_HERE"
    namespace: "payment-customization"
    key: "function-configuration"
    value: "{ \"paymentMethodName\": \"Cash on Delivery\", \"cartTotal\": 150 }"
    type: "json"
    }
    ]) {
    metafields {
    id
    }
    userErrors {
    message
    }
    }
    }

    You should receive a GraphQL response that includes the ID of the created metafield. If the response includes any messages under userErrors, then review the errors, check that your mutation and ownerId are correct, and try the request again.


Anchor to Step 3: Test the payment customizationStep 3: Test the payment customization

  1. Open your development store and build a cart with a total (including shipping and tax) under 150. The Cash on Delivery payment method should display in checkout.
  2. Add additional items to your cart to raise the total over 150. Your payment function should now hide the Cash on Delivery payment option.
Screenshot that shows function input and output in the Partner Dashboard


Was this page helpful?