I am trying to create an order on Wix

I am trying to create an order on Wix, referring to this Create Order | Velo.
Please check my code.
export const createTransaction = async (options, context) => {
console.log(“options”, options);

const { merchantCredentials, order } = options;
const lineItems = order.description.items;
//console.log(lineItems);

const VIVAWalletCheckout = await getVIVAWalletCheckoutUrl(lineItems);

//const orderId = await createOrder(options);
const orderInfo = await createOrder(order, options);
const orderId = orderInfo._id;
console.log(“order Id”,orderId);
console.log(“orderInfo”,orderInfo);

const redirectUrlWithOrderId = ${VIVAWalletCheckout}?orderId=${orderId};

return {
“redirectUrl”: redirectUrlWithOrderId
};

// return {
// “redirectUrl”: VIVAWalletCheckout,
// //“orderId”: orderId
// };
};

async function createOrder( order, options) {
//const { order } = options;
console.log(“orderData”, order);
console.log(“options”,options);

const lineItems = order.description.items;

// const updatedLineItems = lineItems.map(item => {
// return {
// price : lineItems.price,
// productName : lineItems.name,
// quantity : lineItems.quantity,
// lineItemType: “PHYSICAL”
// };
// });

const charges = order.description.charges || {};

const shipping = charges.shipping ? parseFloat(charges.shipping) / 100 : 0;

const discount = charges.discount ? parseFloat(charges.discount) / 100 : 0;

const currency = order.description.currency || “USD”;

// const totalAmount=order.description.totalAmount;
// const subtotal = totalAmount? parseFloat(totalAmount) / 100 : 0;

const totalAmount = order.description.totalAmount || 0;
const subtotal = parseFloat(totalAmount) / 100;

//const total = parseFloat(order.totalAmount + (order.charges?.shipping || 0) - (order.charges?.discount || 0)) / 100;
const total = (subtotal + shipping) - discount ;

const buyerInfo= order.description.buyerInfo;

const buyerLanguage = buyerInfo.buyerLanguage;

const fullOrder = {
buyerLanguage: buyerLanguage,
currency: currency,
//weightUnit: “KG”,
billingInfo: order.description.billingAddress,
shippingInfo: order.description.shippingAddress,
// totals: {
// //subtotal: parseFloat(subtotal),
// subtotal: subtotal,
// //total: parseFloat(total),
// total: total,
// //shipping: parseFloat(shipping),
// shipping: shipping,
// },
priceSummary: {
subtotal: {
amount: subtotal.toString(),
currency: currency
},
total: {
amount: total.toString(),
currency: currency
},
shipping: {
amount: shipping.toString(),
currency: currency
}
},
// channelInfo: {
// type: “WEB”,
// },
// channelInfo:{
// “externalOrderId”: order._id,
// // “externalOrderUrl”: order.returnsUrls,
// // “type”: “EBAY”
// // “type”: ChannelType.EBAY
// },

//paymentStatus: "Pending",
  // lineItems: lineItems,
  lineItems: lineItems,
  // lineItems:  {
  //   lineItemType: "PHYSICAL",
  //   price : lineItems.price,
  //   productName : lineItems.name,
  //   quantity : lineItems.quantity,
  // }, 
//customField: order.customTextField,
//orderId :OrderId,

};

try {
  console.log("Full Order Payload:", JSON.stringify(fullOrder, null, 2));

  const result = await orders.createOrder(fullOrder,options);
  //const orderId= result._id;
  return result;


} catch (error) {
console.error("Error creating order in Wix:", error.message || error);
throw new Error(`Failed to create Wix order: ${error.message || error}`);

}

}
After running this code, I got an error.
MessageFailed to create Wix order: message: Expected an object
details:
applicationError:
description: Bad Request
code: BAD_REQUEST
data: {}

If I directly replace the fullorder parameter with order, as shown in the code below.
async function createOrder( order, options) {
//const { order } = options;
console.log(“orderData”, order);
console.log(“options”,options);

const lineItems = order.description.items;
try {
console.log(“Full Order Payload:”, JSON.stringify(order, null, 2));

  const result = await orders.createOrder(order,options);
  //const orderId= result._id;
  return result;


} catch (error) {
console.error("Error creating order in Wix:", error.message || error);
throw new Error(`Failed to create Wix order: ${error.message || error}`);

}

}
then I got an error
MessageFailed to create Wix order: message: ‘INVALID_ARGUMENT: “order.channelInfo” must not be empty, “order.lineItems” has size 0, expected 1 or more, “order.lineItems” must not be empty, “order.priceSummary” must not be empty’
details:
validationError:
fieldViolations:

  • field: order.channelInfo

description: must not be empty
violatedRule: REQUIRED_FIELD

  • field: order.lineItems

description: has size 0, expected 1 or more
violatedRule: MIN_SIZE
data:
threshold: 1

  • field: order.lineItems

description: must not be empty
violatedRule: REQUIRED_FIELD

  • field: order.priceSummary

description: must not be empty
violatedRule: REQUIRED_FIELD

Error 1:

Failed to create Wix order: Expected an object

This suggests the fullOrder payload you are passing to orders.createOrder is not structured correctly or has a mismatch with the expected object format. Specifically, the API might expect a specific set of fields or a complete structure.


Error 2:

INVALID_ARGUMENT: order.channelInfo must not be empty, order.lineItems has size 0, expected 1 or more, order.priceSummary must not be empty

This error indicates missing or improperly populated fields (channelInfo, lineItems, and priceSummary) in your payload. Here’s what needs to be addressed:

  1. channelInfo is missing:
  • The fullOrder object does not currently include a channelInfo field.
  • Ensure you populate this with the required details, such as type or any other required field, e.g.:

javascript

CopyEdit

channelInfo: {
  type: "WEB",
  externalOrderId: order._id, // if applicable
}
  1. lineItems is empty:
  • The lineItems field must be an array with at least one valid item.
  • Validate lineItems to ensure it is properly populated from order.description.items. For instance:

javascript

CopyEdit

if (!Array.isArray(lineItems) || lineItems.length === 0) {
  throw new Error("lineItems must contain at least one item.");
}
  1. priceSummary is empty:
  • This field must be populated with proper values for subtotal, total, and shipping. Ensure all amounts are calculated correctly and converted to strings, as shown in your initial fullOrder construction.