Merhaba, qualtrics üzerinden bir çalışma yürütüyorum. Çalışmada öncelikle katılımcılara bazı alış seçenekleri verilmekte ve daha sonra alınan ürünlerin satışı istenilmektedir. Gömülü verideb veriler çekiliyor ama satış fiyatı sonuç olarak gözükmüyor. Acaba bu konuda yardımcı olabilecek birisi var mı?
Şimdiden teşekkür ederim.
Qualtrics.SurveyEngine.addOnReady(function () {
console.log(“ Qualtrics Loaded!”);
// Asset mapping: All keys are defined in lowercase for standardization.
const assetMapping = {
"a cheap car": "A_Cheap_Car",
"a normal car": "A_Normal_Car",
"an expensive car": "An_Expensive_Car",
"a cheap house": "A_Cheap_House",
"a normal house": "A_Normal_House",
"an expensive house": "An_Expensive_House",
"extend your business": "Extend_In_Business",
"stocks": "Stocks",
"it's empty": "Do_Not_Buy_Anything"
};
console.log("🔍 Asset Mapping:", assetMapping);
// Retrieve Current_Assets from Embedded Data
let currentAssetsRaw = Qualtrics.SurveyEngine.getEmbeddedData("Current_Assets") || "";
// Split by comma, trim, and filter out empty strings
let currentAssets = currentAssetsRaw.split(",").map(asset => asset.trim()).filter(asset => asset);
console.log("🔍 Retrieved Current Assets:", currentAssetsRaw);
console.log("🔍 Processed Current Assets Array:", currentAssets);
// Get required HTML elements
const assetsDisplay = document.getElementById("currentAssets");
const revenueDisplay = document.getElementById("sellingRevenue");
const sellButton = document.getElementById("sellButton");
const assetSelect = document.getElementById("assetSelect");
if (!assetsDisplay || !revenueDisplay || !sellButton || !assetSelect) {
console.error("🚨 Missing required HTML elements. Check your Qualtrics survey settings.");
return;
}
// Function to check asset availability
function checkAssetsAvailability() {
if (currentAssets.length === 0) {
assetsDisplay.textContent = "You currently have no assets to sell.";
sellButton.disabled = true;
assetSelect.disabled = true;
} else {
sellButton.disabled = false;
assetSelect.disabled = false;
}
}
checkAssetsAvailability();
// Function to update the dropdown menu
function updateDropdown() {
assetSelect.innerHTML = `<option value="">-- Select an asset --</option>`;
currentAssets.forEach(asset => {
let option = document.createElement("option");
// Preserve the original text; we'll standardize during lookup.
option.value = asset;
option.textContent = asset;
assetSelect.appendChild(option);
});
checkAssetsAvailability();
}
updateDropdown();
// Function to update the current assets display
function updateDisplay() {
assetsDisplay.textContent = `Current Assets: ${currentAssets.length > 0 ? currentAssets.join(", ") : "None"}`;
}
updateDisplay();
// Function to fetch purchase price from Embedded Data (lookup using standardized assetDesc)
function getPurchasePrice(assetDesc) {
// Standardize assetDesc by trimming and converting to lowercase
let standardized = assetDesc.trim().toLowerCase();
console.log(`🔍 In getPurchasePrice - assetDesc raw: "${assetDesc}", standardized: "${standardized}"`);
let embeddedDataKey = assetMapping[standardized];
if (!embeddedDataKey) {
console.error(`❌ ERROR: No matching Embedded Data key for asset "${assetDesc}". (Standardized: "${standardized}")`);
return 0;
}
console.log(`🔍 Fetching purchase price for: ${assetDesc} (Key: ${embeddedDataKey})`);
let rawPrice = Qualtrics.SurveyEngine.getEmbeddedData(embeddedDataKey);
console.log(`🟡 Raw price from Embedded Data for ${embeddedDataKey}:`, rawPrice);
if (!rawPrice || rawPrice.trim() === "") {
console.error(`❌ ERROR: Purchase price for ${embeddedDataKey} is missing.`);
return 0;
}
let price = parseFloat(rawPrice);
if (isNaN(price)) {
console.error(`❌ ERROR: Purchase price for ${embeddedDataKey} is not a valid number.`);
return 0;
}
console.log(`✅ Successfully retrieved purchase price for ${assetDesc}: ${price}`);
return price;
}
// Sell Button Click Event
sellButton.addEventListener("click", function () {
let selectedAssetDesc = assetSelect.value; // For example: "A Cheap Car"
if (!selectedAssetDesc) {
alert("⚠ Please select an asset to sell.");
return;
}
console.log("🟢 Selected Asset to Sell:", selectedAssetDesc);
let originalPrice = getPurchasePrice(selectedAssetDesc);
if (originalPrice === 0) {
alert(`❌ ERROR: Unable to find the purchase price for this asset (${selectedAssetDesc}).`);
return;
}
console.log(`💰 Original Purchase Price for ${selectedAssetDesc}: ${originalPrice}`);
// Calculate selling price:
// 50% chance for 40% profit and 50% chance for 20% loss
let isProfit = Math.random() < 0.5;
let soldPrice = isProfit ? originalPrice * 1.4 : originalPrice * 0.8;
let resultText = isProfit ? "Profit (+40%)" : "Loss (-20%)";
console.log(`🟣 Sold Asset: ${selectedAssetDesc}, Sold Price: ${soldPrice.toFixed(2)} ECU, Result: ${resultText}`);
// Update revenueDisplay with the sale details
revenueDisplay.innerHTML = `
<p><strong>Sold Asset:</strong> ${selectedAssetDesc}</p>
<p><strong>Sold Price:</strong> ${soldPrice.toFixed(2)} ECU</p>
<p><strong>Transaction Result:</strong> ${resultText}</p>
`;
// Remove the sold asset from currentAssets array
let assetIndex = currentAssets.indexOf(selectedAssetDesc);
if (assetIndex > -1) {
currentAssets.splice(assetIndex, 1);
} else {
console.error(`❌ ERROR: Could not find asset ${selectedAssetDesc} in currentAssets.`);
return;
}
console.log("🟢 Updated Current Assets After Selling:", currentAssets);
// Update the Embedded Data with the new Current_Assets value
Qualtrics.SurveyEngine.setEmbeddedData("Current_Assets", currentAssets.join(", "));
console.log("🔵 Updated Embedded Data in Qualtrics.");
updateDisplay();
updateDropdown();
alert(`✅ Sold asset: ${selectedAssetDesc} for ${soldPrice.toFixed(2)} ECU. Result: ${resultText}`);
});
});