Compare commits

11 Commits

Author SHA1 Message Date
de556b5001 Cleanup 2026-02-27 19:18:38 +01:00
d334fb8b39 Added answers 2026-02-27 16:45:21 +01:00
033e531e64 But not for long 2026-02-27 16:45:16 +01:00
ab894a36d7 Please stay 2026-02-27 16:45:03 +01:00
d426899f7e Extend questions 2026-02-27 16:31:41 +01:00
0d2807f59f Cleanup 2026-02-24 23:39:14 +01:00
a2967767d3 Cleanup 2026-02-23 23:01:28 +01:00
a7efed86f9 22.02. 2026-02-22 23:52:26 +01:00
61edb35f70 RAFT shenanigans 2026-02-21 23:47:12 +01:00
49c622db08 RAG cleanup 2026-02-21 15:24:21 +01:00
04cc3f8e77 tsv to csv 2026-02-21 14:42:56 +01:00
35 changed files with 3637 additions and 15310 deletions

1
.gitignore vendored
View File

@@ -6,3 +6,4 @@ history*.json
model.pkl
all-MiniLM-L6-v2/
**.ipynb
test/*

View File

@@ -16,10 +16,10 @@ from bertopic import BERTopic
param_grid = {
"n_gram_max": [2, 3], # Vectorization
"min_document_frequency": [1], # Vectorization
"min_document_frequency": [1, 2], # Vectorization
"min_samples": [10, 25], # HDBSCAN
"min_topic_size": [10, 20, 30, 40, 50], # HDBSCAN
"n_neighbors": [15], # UMAP
"min_topic_size": [100, 200], # HDBSCAN
"n_neighbors": [15, 25], # UMAP
"n_components": [2, 5], # UMAP
"min_dist": [0.01, 0.1], # UMAP
"nr_topics": ["auto"], # Topic Modeling

View File

@@ -5,7 +5,7 @@ import matplotlib.pyplot as plt
with open("output/autotune.json", "r") as f:
history = json.load(f)
history = sorted(history, key=lambda x: x["metrics"]["combined_score"], reverse=False)
history = sorted(history, key=lambda x: x["metrics"]["combined_score"], reverse=True)
with open("output/autotune_sorted.json", "w") as f:
json.dump(history, f, indent=2)

Binary file not shown.

Before

Width:  |  Height:  |  Size: 16 KiB

View File

@@ -286,27 +286,6 @@ if REDUCE_OUTLIERS:
# %% [markdown]
# ## Results
#
# ### Classification
#
# %%
CLASSIFICATION = True
if CLASSIFICATION:
topics_to_keep = {14, 8, 13, 18, 17, 4, 2, 30, 28}
INPUT_PATH = "../data/intermediate/preprocessed.tab" # TSV with a 'review' column
OUTPUT_CSV = "../data/intermediate/culture_reviews.csv"
# Topic model document info
df = topic_model.get_document_info(reviews)
df["Original"] = reviews
# --- filter by topics and length ---
filtered = df[df["Topic"].isin(topics_to_keep)].copy()
filtered["Original"] = filtered["Original"].str.strip()
# Save an audit CSV
filtered[["Original", "Topic"]].to_csv(OUTPUT_CSV, index=False, sep=",")
print(f"Filtered CSV file saved to {OUTPUT_CSV}")
# %%
doc_topic_matrix = probs
@@ -360,7 +339,6 @@ vis = topic_model.visualize_documents(
custom_labels=True,
hide_annotations=True,
)
# vis.write_html("output/visualization.html")
vis
# %%
@@ -378,7 +356,45 @@ topic_model.visualize_heatmap()
#
# %%
topic_model.get_topic_info()
topic_info = topic_model.get_topic_info()
topic_info
# %%
import matplotlib.pyplot as plt
topic_info = topic_info[topic_info["Topic"] != -1]
# Truncate labels at the third dash
topic_info["ShortName"] = topic_info["CustomName"].apply(
lambda x: "-".join(x.split("-")[:3]) if "-" in x else x
)
# Sort by count in descending order
topic_info = topic_info.sort_values("Count", ascending=True)
plt.figure(figsize=(10, 6))
bars = plt.barh(topic_info["ShortName"], topic_info["Count"])
# Add count labels to each bar
for i, (count, bar) in enumerate(zip(topic_info["Count"], bars)):
plt.text(
count,
bar.get_y() + bar.get_height() / 2,
f" {count}",
va="center",
ha="left",
fontsize=10,
color="black",
)
plt.xscale("log")
plt.ylabel("Topic")
plt.xlabel("Anzahl der Dokumente")
plt.title("")
plt.tight_layout()
plt.show()
# %% [markdown]
# ### Semantic Coherence
@@ -497,14 +513,42 @@ if CALCULATE_TOKEN_DISTRIBUTIONS:
#
# %%
topic_model.visualize_hierarchy(custom_labels=True)
topic_model.visualize_hierarchy(custom_labels=True, color_threshold=0.98)
# %%
hierarchical_topics = topic_model.hierarchical_topics(reviews)
tree = topic_model.get_topic_tree(hier_topics=hierarchical_topics)
print(tree)
# %% [markdown]
# ### Classification
#
# %%
CLASSIFICATION = True
if CLASSIFICATION:
topics_to_keep = {14, 8, 13, 18, 17, 4, 2, 30}
INPUT_PATH = "../data/intermediate/preprocessed.tab" # TSV with a 'review' column
OUTPUT_CSV = "../data/intermediate/culture_reviews.csv"
# Topic model document info
df = topic_model.get_document_info(reviews)
df["Original"] = reviews
# --- filter by topics and length ---
filtered = df[df["Topic"].isin(topics_to_keep)].copy()
filtered["Original"] = filtered["Original"].str.strip()
# Save an audit CSV
filtered[["Original", "Topic"]].to_csv(OUTPUT_CSV, index=False, sep=",")
print(f"Filtered CSV file saved to {OUTPUT_CSV}")
# %% [markdown]
# ### Intertopic Distance Map
#
# %%
topic_model.visualize_topics(use_ctfidf=True)
topic_model.visualize_topics(use_ctfidf=True, custom_labels=True)
# %% [markdown]
# ### Topic Word Scores
@@ -512,3 +556,20 @@ topic_model.visualize_topics(use_ctfidf=True)
# %%
topic_model.visualize_barchart(top_n_topics=12, custom_labels=True, n_words=10)
# %%
from wordcloud import WordCloud
import matplotlib.pyplot as plt
def create_wordcloud(model, topic):
text = {word: value for word, value in model.get_topic(topic)}
wc = WordCloud(background_color="white", max_words=1000)
wc.generate_from_frequencies(text)
plt.imshow(wc, interpolation="bilinear")
plt.axis("off")
plt.show()
# Show wordcloud
create_wordcloud(topic_model, topic=1)

View File

@@ -0,0 +1,519 @@
# ---
# jupyter:
# jupytext:
# text_representation:
# extension: .py
# format_name: percent
# format_version: '1.3'
# jupytext_version: 1.18.0
# kernelspec:
# display_name: .venv (3.12.3)
# language: python
# name: python3
# ---
# %% [markdown]
# # Topic Detection: Bali Tourist Reviews
#
# %% [markdown]
# ## Preparation
#
# ### Dependency Loading
#
# %%
import pickle
import re
import gensim.corpora as corpora
import nltk
import numpy as np
import pandas as pd
from bertopic.representation import KeyBERTInspired
from bertopic.vectorizers import ClassTfidfTransformer
from gensim.models.coherencemodel import CoherenceModel
from hdbscan import HDBSCAN
from sentence_transformers import SentenceTransformer
from sklearn.feature_extraction.text import CountVectorizer
from sklearn.feature_extraction import text as skltext
from sklearn.metrics.pairwise import cosine_similarity
from umap import UMAP
from bertopic import BERTopic
nltk.download("stopwords")
nltk.download("punkt")
nltk.download("wordnet")
# %% [markdown]
# ### Hyperparameters and Settings
#
# %%
RECREATE_MODEL = True
RECREATE_REDUCED_MODEL = True
PROCESS_DATA = True
REDUCE_OUTLIERS = False
CALCULATE_TOKEN_DISTRIBUTIONS = False
# Data Sample Size, -1 for all data
DATA_SAMPLE_SIZE = -1
# Vectorization
MIN_DOCUMENT_FREQUENCY = 1
MAX_NGRAM = 3
# HDBSCAN Parameters
MIN_TOPIC_SIZE = 15
MIN_SAMPLES = 15
# UMAP Parameters
N_NEIGHBORS = 15
N_COMPONENTS = 5
MIN_DIST = 0.1
# Topic Modeling
TOP_N_WORDS = 10
MAX_TOPICS = None # or "auto" to pass to HDBSCAN, None to skip
TF_IDF_STOP_WORDS = ["bali", "place", "visit", "visited", "visiting"]
# %% [markdown]
# ### Data Loading & Preprocessing
#
# %%
# Import data after general preprocessing
if DATA_SAMPLE_SIZE == -1:
reviews = pd.read_csv(
"../data/intermediate/culture_reviews.csv", sep=","
).Original.to_list()
else:
reviews = (
pd.read_csv("../data/intermediate/culture_reviews.csv", sep=",")
.sample(n=DATA_SAMPLE_SIZE)
.Original.to_list()
)
print("Loaded {} reviews".format(len(reviews)))
# %%
rep = {
r"\\n": " ",
r"\n": " ",
r'\\"': "",
r'"': "",
r"\s+": " ",
}
rep = dict((re.escape(k), v) for k, v in rep.items())
pattern = re.compile("|".join(rep.keys()))
def preprocess(text):
text = text.strip()
text = text.lower()
text = pattern.sub(lambda m: rep[re.escape(m.group(0))], text)
return text
# %%
print(
preprocess(
"Excellent. Definitely worth coming while in bali. Food and people were very nice.\n🌟 🤩 ⭐️ \nTrisna was our host"
)
)
# %%
if PROCESS_DATA:
print("Processing reviews...")
reviews = [preprocess(review) for review in reviews]
with open("../data/intermediate/processed_texts_culture.pkl", "wb") as f:
pickle.dump(reviews, f)
else:
with open("../data/intermediate/processed_texts_culture.pkl", "rb") as f:
reviews = pickle.load(f)
print(reviews[:1])
# %% [markdown]
# ### Pre-calculate Embeddings
#
# %%
embedding_model = SentenceTransformer("all-MiniLM-L6-v2")
embeddings = embedding_model.encode(reviews, show_progress_bar=True)
# %% [markdown]
# ## Model Creation
#
# %% [markdown]
# ### Dimensionality Reduction (UMAP)
#
# %%
umap_model = UMAP(
n_neighbors=N_NEIGHBORS,
n_components=N_COMPONENTS,
min_dist=MIN_DIST,
metric="cosine",
low_memory=True,
random_state=42,
)
reduced_embeddings = umap_model.fit_transform(embeddings)
# %% [markdown]
# ### BERTopic Model Creation
#
# %%
if RECREATE_MODEL:
stop_words = list(skltext.ENGLISH_STOP_WORDS.union(TF_IDF_STOP_WORDS))
ctfidf_model = ClassTfidfTransformer(reduce_frequent_words=True)
vectorizer_model = CountVectorizer(
min_df=MIN_DOCUMENT_FREQUENCY,
ngram_range=(1, MAX_NGRAM),
stop_words=stop_words,
)
representation_model = KeyBERTInspired()
hdbscan_model = HDBSCAN(
min_cluster_size=MIN_TOPIC_SIZE,
min_samples=MIN_SAMPLES,
metric="euclidean",
cluster_selection_method="eom",
gen_min_span_tree=True,
prediction_data=True,
)
topic_model = BERTopic(
embedding_model=embedding_model,
ctfidf_model=ctfidf_model,
vectorizer_model=vectorizer_model,
umap_model=umap_model,
hdbscan_model=hdbscan_model,
representation_model=representation_model,
verbose=True,
calculate_probabilities=True,
language="english",
top_n_words=TOP_N_WORDS,
nr_topics=MAX_TOPICS,
)
topics, probs = topic_model.fit_transform(reviews, embeddings=embeddings)
topic_labels = topic_model.generate_topic_labels(
nr_words=3, topic_prefix=True, word_length=15, separator=" - "
)
topic_model.set_topic_labels(topic_labels)
# BERTopic.save(topic_model, "bertopic/model.bertopic")
else:
print("Nevermind, loading existing model")
# topic_model = BERTopic.load("bertopic/model.bertopic")
# %% [markdown]
# ## Fine Tuning
#
# ### Topic Condensation
#
# %%
if RECREATE_REDUCED_MODEL:
done = False
iteration = 1
while not done:
print(f"Iteration {iteration}")
iteration += 1
similarity_matrix = cosine_similarity(
np.array(topic_model.topic_embeddings_)[1:, :]
)
nothing_to_merge = True
for i in range(similarity_matrix.shape[0]):
for j in range(i + 1, similarity_matrix.shape[1]):
try:
sim = similarity_matrix[i, j]
if sim > 0.9:
nothing_to_merge = False
t1, t2 = i, j
try:
t1_name = topic_model.get_topic_info(t1)["CustomName"][0]
t2_name = topic_model.get_topic_info(t2)["CustomName"][0]
print(
f"Merging topics {t1} ({t1_name}) and {t2} ({t2_name}) with similarity {sim:.2f}"
)
topic_model.merge_topics(reviews, topics_to_merge=[t1, t2])
topic_labels = topic_model.generate_topic_labels(
nr_words=3,
topic_prefix=True,
word_length=15,
separator=" - ",
)
topic_model.set_topic_labels(topic_labels)
similarity_matrix = cosine_similarity(
np.array(topic_model.topic_embeddings_)[1:, :]
)
except Exception as e:
print(f"Failed to merge {t1} and {t2}: {e}")
except IndexError:
pass
if nothing_to_merge:
print("No more topics to merge.")
done = True
else:
print("Skipping topic reduction")
# %% [markdown]
# ### Outlier Reduction
#
# %%
if REDUCE_OUTLIERS:
new_topics = topic_model.reduce_outliers(
reviews,
topic_model.topics_,
probabilities=topic_model.probabilities_,
threshold=0.05,
strategy="probabilities",
)
topic_model.update_topics(reviews, topics=new_topics)
# %% [markdown]
# ## Results
#
# ### Classification
#
# %%
CLASSIFICATION = False
if CLASSIFICATION:
topics_to_keep = {14, 8, 13, 18, 17, 4, 2, 30, 28}
INPUT_PATH = "../data/intermediate/preprocessed.tab" # TSV with a 'review' column
OUTPUT_CSV = "../data/intermediate/culture_reviews.csv"
# Topic model document info
df = topic_model.get_document_info(reviews)
df["Original"] = reviews
# --- filter by topics and length ---
filtered = df[df["Topic"].isin(topics_to_keep)].copy()
filtered["Original"] = filtered["Original"].str.strip()
# Save an audit CSV
filtered[["Original", "Topic"]].to_csv(OUTPUT_CSV, index=False, sep=",")
print(f"Filtered CSV file saved to {OUTPUT_CSV}")
# %%
doc_topic_matrix = probs
# column names
topicnames = ["Topic " + str(i) for i in range(len(set(topics)) - 1)]
# index names
docnames = ["Review " + str(i) for i in range(len(reviews))]
# Make the pandas dataframe
df_document_topic = pd.DataFrame(
np.round(doc_topic_matrix, 2), columns=topicnames, index=docnames
)
# Get dominant topic for each document
dominant_topic = np.argmax(doc_topic_matrix, axis=1)
df_document_topic["dominant_topic"] = dominant_topic
# Styling
def color_stuff(val):
if val > 0.1:
color = "green"
elif val > 0.05:
color = "orange"
else:
color = "grey"
return "color: {col}".format(col=color)
def make_bold(val):
weight = 700 if val > 0.1 else 400
return "font-weight: {weight}".format(weight=weight)
# Apply Style
df_document_topics = (
df_document_topic.head(15).style.applymap(color_stuff).applymap(make_bold)
)
df_document_topics
# %% [markdown]
# ### Document Visualization
#
# %%
vis = topic_model.visualize_documents(
docs=reviews,
reduced_embeddings=reduced_embeddings,
custom_labels=True,
hide_annotations=True,
)
# vis.write_html("output/visualization.html")
vis
# %%
topic_model.visualize_document_datamap(reviews, reduced_embeddings=reduced_embeddings)
# %% [markdown]
# ### Similarity Matrix
#
# %%
topic_model.visualize_heatmap()
# %% [markdown]
# ### Topic Info
#
# %%
topic_model.get_topic_info()
# %% [markdown]
# ### Semantic Coherence
#
# %%
topic_words = []
for topic_id in topic_model.get_topic_info()["Topic"]:
# Skip outlier topic
if topic_id < 0:
continue
words = [word for word, _ in topic_model.get_topic(topic_id)]
topic_words.append(words)
# Compute mean pairwise cosine similarity for each topic
coherence_scores = []
for words in topic_words:
coherence_embeddings = embedding_model.encode(words)
sim_matrix = cosine_similarity(coherence_embeddings)
# Ignore self-similarity
np.fill_diagonal(sim_matrix, 0)
mean_sim = np.mean(sim_matrix[np.triu_indices(sim_matrix.shape[0], k=1)])
coherence_scores.append(mean_sim)
overall_coherence = np.mean(coherence_scores)
print(len(reviews), "reviews processed")
print(len(topic_model.get_topic_info()) - 1, "topics found")
print(f"BERT-based Topic Coherence: {overall_coherence:.4f}")
# %% [markdown]
# ### Topic Coherence
#
# %%
# https://github.com/MaartenGr/BERTopic/issues/90#issuecomment-820915389
# This will most likely crash your PC
this_will_crash_your_pc_are_you_sure = False
if this_will_crash_your_pc_are_you_sure:
# Preprocess Documents
documents = pd.DataFrame(
{"Document": reviews, "ID": range(len(reviews)), "Topic": topics}
)
documents_per_topic = documents.groupby(["Topic"], as_index=False).agg(
{"Document": " ".join}
)
cleaned_docs = topic_model._preprocess_text(documents_per_topic.Document.values)
# Extract vectorizer and analyzer from BERTopic
vectorizer = topic_model.vectorizer_model
analyzer = vectorizer.build_analyzer()
# Extract features for Topic Coherence evaluation
words = vectorizer.get_feature_names_out()
tokens = [analyzer(doc) for doc in cleaned_docs]
dictionary = corpora.Dictionary(tokens)
corpus = [dictionary.doc2bow(token) for token in tokens]
for topic_id in topic_model.get_topic_info()["Topic"]:
# Skip outlier topic
if topic_id < 0:
continue
words = [word for word, _ in topic_model.get_topic(topic_id)]
topic_words.append(words)
# %env TOKENIZERS_PARALLELISM=false
for measurement in ["c_v", "u_mass", "c_uci", "c_npmi"]:
coherence_model = CoherenceModel(
topics=topic_words,
texts=tokens,
corpus=corpus,
dictionary=dictionary,
coherence=measurement,
)
coherence_score = coherence_model.get_coherence()
print(f"Coherence ({measurement}): {coherence_score:.4f}")
# %% [markdown]
# ### Term Search
#
# %%
search_term = "lempuyang"
similar_topics, similarities = topic_model.find_topics(search_term, top_n=10)
for i in range(len(similar_topics)):
print(
f"{str(similarities[i])[:5]} {topic_model.get_topic_info(similar_topics[i])['CustomName'][0]}"
)
# %%
# Source: https://maartengr.github.io/BERTopic/getting_started/visualization/visualize_documents.html#visualize-probabilities-or-distribution
# Calculate the topic distributions on a token-level
if CALCULATE_TOKEN_DISTRIBUTIONS:
topic_distr, topic_token_distr = topic_model.approximate_distribution(
reviews, calculate_tokens=True, use_embedding_model=True
)
# %%
# Visualize the token-level distributions
if CALCULATE_TOKEN_DISTRIBUTIONS:
DOC_INDEX = 1
df = topic_model.visualize_approximate_distribution(
reviews[DOC_INDEX], topic_token_distr[DOC_INDEX]
)
df
# %% [markdown]
# ### Topic Hierarchy
#
# %%
topic_model.visualize_hierarchy(custom_labels=True)
# %%
hierarchical_topics = topic_model.hierarchical_topics(reviews)
tree = topic_model.get_topic_tree(hier_topics=hierarchical_topics)
print(tree)
# %% [markdown]
# ### Intertopic Distance Map
#
# %%
topic_model.visualize_topics(use_ctfidf=True)
# %% [markdown]
# ### Topic Word Scores
#
# %%
topic_model.visualize_barchart(top_n_topics=12, custom_labels=True, n_words=10)

File diff suppressed because it is too large Load Diff

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

View File

@@ -131,3 +131,4 @@ spacy
nbconvert
jupytext
datamapplot
wordcloud

View File

@@ -0,0 +1,61 @@
.
├─clean beach_seminyak beach_beaches_beach clean_beautiful beach
│ ├─■──beach clean hawkers_beach hawkers_hawkers beach_clean beach_beach clean ── Topic: 29
│ └─clean beach_sanur beach_beach clean_beaches_beautiful beach
│ ├─clean beach_beach clean_beaches_beautiful beach_beach beach
│ │ ├─sanur beach lovely_sanur beach_beach sanur_beach sanur beach_sanur
│ │ │ ├─■──beach sanur_sanur beach_sanur beach sanur_beaches_restaurants beach ── Topic: 21
│ │ │ └─■──beach sanur beach_beach sanur_sanur beach_sanur beach beautiful_sanur beach lovely ── Topic: 9
│ │ └─nusa dua beach_dua beach_beautiful beach_nice beach_kuta beach
│ │ ├─beautiful beach_clean beach_beaches_seminyak beach_beach beautiful
│ │ │ ├─■──beaches nusa dua_nusa dua beach_beaches nusa_beach nusa dua_beach nusa ── Topic: 11
│ │ │ └─clean beach_beach clean_beautiful beach_beaches_seminyak beach
│ │ │ ├─clean beach_beautiful beach_nice beach_beaches_beach beautiful
│ │ │ │ ├─■──clean beach_beaches_best beaches_best beach_beach clean ── Topic: 6
│ │ │ │ └─■──beautiful beach_clean beach_nice beach_beaches_beach beautiful ── Topic: 1
│ │ │ └─■──walk seminyak beach_beach seminyak beach_seminyak beach nice_beaches seminyak_seminyak beach ── Topic: 10
│ │ └─■──beach like kuta_better kuta beach_kuta beach beach_beach kuta beach_compared kuta beach ── Topic: 16
│ └─■──pandawa beach beach_beach pandawa beach_pandawa beach located_pandawa beach_pandawa beach quite ── Topic: 23
└─monkey forest_monkey_monkeys_zoo_climb
├─kelingking beach_hike beach_reach beach_beach_dream beach
│ ├─beach nusa penida_nusa penida island_kelingking beach_hike beach_penida island
│ │ ├─■──beach nusa penida_view kelingking beach_kelingking beach beautiful_nusa penida island_beach nusa ── Topic: 27
│ │ └─■──climb beach_hike beach_beautiful beach_steps beach_beautiful beach ve ── Topic: 22
│ └─waves crashing rocks_huge waves_devil tear_devil tears_watch waves
│ ├─■──watch waves_watching waves_waves crash rocks_huge waves_ocean waves ── Topic: 20
│ └─■──devil tears lembongan_lembongan devils tear_beach devil_devil tears_devil tear ── Topic: 26
└─monkey forest_monkey_monkeys_zoo_bananas
├─feed monkeys_monkey_monkey forest_zoo_monkeys
│ ├─hike_hiking_climb_climbing_mt batur
│ │ ├─tirta gangga water_gangga water palace_tirta gangga beautiful_tirta ganga_gangga water
│ │ │ ├─■──tirta gangga water_gangga water palace_tirtagangga water_tirta ganga_tirta gangga beautiful ── Topic: 24
│ │ │ └─■──beautiful water palace_water gardens_water palace_water palace really_pools beautiful ── Topic: 19
│ │ └─hike_hiking_mt batur_climb_mountain
│ │ ├─hike_hiking_climb_climbing_trip
│ │ │ ├─beautiful scenery_tourists_tourist_scenery_tour
│ │ │ │ ├─■──view best sunsets_sunset views_view sunset_worth view sunset_sunset spectacular ── Topic: 25
│ │ │ │ └─■──lot tourists_tourists_tourist_beautiful scenery_scenery ── Topic: 12
│ │ │ └─hike_hiking_climb_mountain_mount agung
│ │ │ ├─■──hike_hiking_trip_climb_trail ── Topic: 5
│ │ │ └─■──temple gate_lempuyang temple_temple_temples_second temple ── Topic: 28
│ │ └─zoo great_day zoo_zoo_petting zoo_feed elephants
│ │ ├─■──zoo_petting zoo_zoo great_day zoo_zoo clean ── Topic: 3
│ │ └─■──dinner jimbaran bay_seafood beach_restaurants beach_beach seafood_seafood restaurants ── Topic: 15
│ └─feed monkeys_monkey forest_monkeys_monkey_buy bananas
│ ├─■──feed monkeys_monkey forest_monkey_monkeys_buy bananas ── Topic: 0
│ └─■──sacred monkey forest_feed monkeys_monkey forest_sacred monkey_monkey ── Topic: 7
└─uluwatu temple_tanah lot temple_beautiful temple_view temple_temple beautiful
├─uluwatu temple_temple beautiful_view temple_temples_temple
│ ├─■──monkeys temple_temple monkeys_view temple_monkeys steal_walk temple ── Topic: 14
│ └─uluwatu temple_temple uluwatu_temples_temple_temple beautiful
│ ├─■──uluwatu temple_uluwatu temple located_temple uluwatu_sunset uluwatu temple_trip uluwatu ── Topic: 8
│ └─■──temple kecak dance_sunset kecak dance_kecak dance sunset_kecak dance performance_watch kecak dance ── Topic: 13
└─tanah lot temple_beautiful temple_view temple_temple beautiful_temple lake
├─tanah lot temple_beautiful temple_view temple_temple beautiful_lot temple
│ ├─tanah lot temple_temple tanah lot_temple tanah_view tanah lot_sunset tanah lot
│ │ ├─■──tanah lot temple_temple tanah lot_temple tanah_sunset tanah lot_tanah lot ── Topic: 18
│ │ └─■──temple tanah lot_tanah lot temple_view tanah lot_sunset tanah lot_tanah lot sunset ── Topic: 17
│ └─beautiful temple_view temple_temple beautiful_temple located_temple
│ ├─■──view temple_beautiful temple_temple beautiful_sunset temple_temple ── Topic: 4
│ └─■──view temple_beautiful temple_temple_temples_temple located ── Topic: 2
└─■──ulun danu temple_danu bratan temple_temple ulun danu_danu beratan temple_danu temple located ── Topic: 30

Binary file not shown.

View File

@@ -0,0 +1,600 @@
{"dimension": "Value for Money", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'roads feel unsafe, so you prioritize fewer moves and deeper presence', what should they understand about Value for Money (especially avoiding extractive 'spiritual packages')? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., permission to photograph everything?", "tags": ["Value for Money", "avoiding extractive 'spiritual packages'", "marketer", "weather"]}
{"dimension": "Value for Money", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you can handle crowds if etiquette and sacredness are preserved', what should they understand about Value for Money (especially donations vs fees)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., access to sacred spaces without emphasizing etiquette and consent?", "tags": ["Value for Money", "donations vs fees", "marketer", "crowds"]}
{"dimension": "Infrastructure + Atmosphere", "type": "tradeoff", "prompt": "Under this constraint: it's rainy season and flexibility is part of respectful travel. How do you trade off photography versus presence and respect when choosing cultural/spiritual experiences in Bali? Answer with examples touching Infrastructure and Atmosphere.", "tags": ["Infrastructure", "Atmosphere", "tradeoff", "weather"]}
{"dimension": "Infrastructure + Atmosphere", "type": "tradeoff+probe", "prompt": "Under this constraint: it's rainy season and flexibility is part of respectful travel. How do you trade off photography versus presence and respect when choosing cultural/spiritual experiences in Bali? Answer with examples touching Infrastructure and Atmosphere. What boundary would you not cross again?", "tags": ["Infrastructure", "Atmosphere", "tradeoff", "weather", "probe"]}
{"dimension": "Social Environment + Natural Attractions", "type": "tradeoff", "prompt": "Under this constraint: it's very hot and you need a pace that still feels mindful. How do you trade off community benefit versus personal comfort when choosing cultural/spiritual experiences in Bali? Answer with examples touching Social Environment and Natural Attractions.", "tags": ["Social Environment", "Natural Attractions", "tradeoff", "weather"]}
{"dimension": "Infrastructure", "type": "laddering", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a sense of humility. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on transparent ticketing/donations).", "tags": ["Infrastructure", "transparent ticketing/donations", "solo, when you can be more contemplative", "laddering"]}
{"dimension": "Atmosphere + Value for Money", "type": "tradeoff", "prompt": "Under this constraint: you want a balance: one iconic site, mostly quieter, community-rooted places. How do you trade off guided cultural context versus self-guided freedom when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Value for Money.", "tags": ["Atmosphere", "Value for Money", "tradeoff", "crowds"]}
{"dimension": "Atmosphere + Value for Money", "type": "tradeoff", "prompt": "Under this constraint: visibility is low and your sunrise plan may fail-how do you adapt meaningfully?. How do you trade off quiet reflection versus seeing iconic places when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Value for Money.", "tags": ["Atmosphere", "Value for Money", "tradeoff", "weather"]}
{"dimension": "Infrastructure", "type": "single", "prompt": "What surprised you about the spiritual or cultural texture of… your experience with a dance performance where you try to read symbolism in Bali during early morning before the crowds. From a Infrastructure perspective, what stands out about visitor flow that protects sacred spaces-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Infrastructure", "visitor flow that protects sacred spaces", "early morning before the crowds"]}
{"dimension": "Social Environment", "type": "single", "prompt": "Walk me through… your experience with a traditional market where everyday ritual shows up in small ways in Bali during early morning before the crowds. From a Social Environment perspective, what stands out about respectful interaction with locals-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "respectful interaction with locals", "early morning before the crowds"]}
{"dimension": "Social Environment", "type": "single+probe", "prompt": "Walk me through… your experience with a traditional market where everyday ritual shows up in small ways in Bali during early morning before the crowds. From a Social Environment perspective, what stands out about respectful interaction with locals-and why does it matter to you as a culture/spirit-oriented traveler? What would have improved it without turning it into a spectacle?", "tags": ["Social Environment", "respectful interaction with locals", "early morning before the crowds", "probe"]}
{"dimension": "Social Environment", "type": "single", "prompt": "How do you personally decide whether to join, observe, or step back when… your experience with a traditional market where everyday ritual shows up in small ways in Bali during solo, when you can be more contemplative. From a Social Environment perspective, what stands out about guide trust and cultural context-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "guide trust and cultural context", "solo, when you can be more contemplative"]}
{"dimension": "Value for Money + Atmosphere", "type": "tradeoff", "prompt": "Under this constraint: you want to avoid commodifying sacred life. How do you trade off guided cultural context versus self-guided freedom when choosing cultural/spiritual experiences in Bali? Answer with examples touching Value for Money and Atmosphere.", "tags": ["Value for Money", "Atmosphere", "tradeoff", "ethics"]}
{"dimension": "Value for Money", "type": "contrast", "prompt": "Compare a curated tour script versus a guide who shares context and encourages respect in Bali during in rainy season when plans change and patience matters. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use performative 'authenticity' for tourists as a cue in your explanation.", "tags": ["Value for Money", "contrast", "in rainy season when plans change and patience matters"]}
{"dimension": "Atmosphere", "type": "single", "prompt": "Walk me through… your experience with a quiet heritage walk where stories feel layered in Bali during late afternoon when light softens and things slow down. From a Atmosphere perspective, what stands out about commercialization pressure-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Atmosphere", "commercialization pressure", "late afternoon when light softens and things slow down"]}
{"dimension": "Atmosphere", "type": "single+probe", "prompt": "Walk me through… your experience with a quiet heritage walk where stories feel layered in Bali during late afternoon when light softens and things slow down. From a Atmosphere perspective, what stands out about commercialization pressure-and why does it matter to you as a culture/spirit-oriented traveler? How did it change your mood or sense of meaning that day?", "tags": ["Atmosphere", "commercialization pressure", "late afternoon when light softens and things slow down", "probe"]}
{"dimension": "Infrastructure", "type": "single", "prompt": "What does 'authentic and respectful' look like to you when… your experience with a dance performance where you try to read symbolism in Bali during solo, when you can be more contemplative. From a Infrastructure perspective, what stands out about transparent ticketing/donations-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Infrastructure", "transparent ticketing/donations", "solo, when you can be more contemplative"]}
{"dimension": "Infrastructure", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you want to avoid crowds because they dilute atmosphere and respect', what should they understand about Infrastructure (especially accessibility with dignity)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., permission to photograph everything?", "tags": ["Infrastructure", "accessibility with dignity", "marketer", "crowds"]}
{"dimension": "Value for Money", "type": "contrast", "prompt": "Compare a crowded ceremony-adjacent spot versus a calm everyday ritual moment in Bali during solo, when you can be more contemplative. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use how people behave when no one is watching as a cue in your explanation.", "tags": ["Value for Money", "contrast", "solo, when you can be more contemplative"]}
{"dimension": "Social Environment + Value for Money", "type": "tradeoff", "prompt": "Under this constraint: you want your presence to feel like 'being a guest' not 'taking'. How do you trade off quiet reflection versus seeing iconic places when choosing cultural/spiritual experiences in Bali? Answer with examples touching Social Environment and Value for Money.", "tags": ["Social Environment", "Value for Money", "tradeoff", "ethics"]}
{"dimension": "Value for Money", "type": "laddering", "prompt": "Think about a specific moment in Bali during as a repeat visitor, noticing subtler layers that left you with a feeling of being a guest. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Value for Money (focus on what feels worth paying for (context, respect, time)).", "tags": ["Value for Money", "what feels worth paying for (context, respect, time)", "as a repeat visitor, noticing subtler layers", "laddering"]}
{"dimension": "Infrastructure", "type": "laddering", "prompt": "Think about a specific moment in Bali during as a repeat visitor, noticing subtler layers that left you with a stronger respect for local rhythms. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on signage for etiquette).", "tags": ["Infrastructure", "signage for etiquette", "as a repeat visitor, noticing subtler layers", "laddering"]}
{"dimension": "Social Environment", "type": "laddering", "prompt": "Think about a specific moment in Bali during in rainy season when plans change and patience matters that left you with a sense of calm. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Social Environment (focus on consent and boundaries).", "tags": ["Social Environment", "consent and boundaries", "in rainy season when plans change and patience matters", "laddering"]}
{"dimension": "Value for Money", "type": "contrast", "prompt": "Compare a curated tour script versus a guide who shares context and encourages respect in Bali during late afternoon when light softens and things slow down. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use performative 'authenticity' for tourists as a cue in your explanation.", "tags": ["Value for Money", "contrast", "late afternoon when light softens and things slow down"]}
{"dimension": "Social Environment", "type": "laddering", "prompt": "Think about a specific moment in Bali during early morning before the crowds that left you with a feeling of being a guest. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Social Environment (focus on respectful interaction with locals).", "tags": ["Social Environment", "respectful interaction with locals", "early morning before the crowds", "laddering"]}
{"dimension": "Social Environment", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during early morning before the crowds that left you with a feeling of being a guest. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Social Environment (focus on respectful interaction with locals). What boundary would you not cross again?", "tags": ["Social Environment", "respectful interaction with locals", "early morning before the crowds", "laddering", "probe"]}
{"dimension": "Value for Money", "type": "laddering", "prompt": "Think about a specific moment in Bali during with a local guide who emphasizes respect and context that left you with a stronger respect for local rhythms. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Value for Money (focus on paying for guides as cultural mediation).", "tags": ["Value for Money", "paying for guides as cultural mediation", "with a local guide who emphasizes respect and context", "laddering"]}
{"dimension": "Value for Money", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during with a local guide who emphasizes respect and context that left you with a stronger respect for local rhythms. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Value for Money (focus on paying for guides as cultural mediation). How did it change your mood or sense of meaning that day?", "tags": ["Value for Money", "paying for guides as cultural mediation", "with a local guide who emphasizes respect and context", "laddering", "probe"]}
{"dimension": "Atmosphere", "type": "single", "prompt": "Tell me about a time when… your experience with a traditional market where everyday ritual shows up in small ways in Bali during in rainy season when plans change and patience matters. From a Atmosphere perspective, what stands out about authenticity cues-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Atmosphere", "authenticity cues", "in rainy season when plans change and patience matters"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "What does 'authentic and respectful' look like to you when… your experience with rice terraces that feel lived-in rather than staged in Bali during on a quiet weekday compared to a busy weekend. From a Natural Attractions perspective, what stands out about timing for contemplative experience-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "timing for contemplative experience", "on a quiet weekday compared to a busy weekend"]}
{"dimension": "Natural Attractions", "type": "single+probe", "prompt": "What does 'authentic and respectful' look like to you when… your experience with rice terraces that feel lived-in rather than staged in Bali during on a quiet weekday compared to a busy weekend. From a Natural Attractions perspective, what stands out about timing for contemplative experience-and why does it matter to you as a culture/spirit-oriented traveler? What specifically made it feel respectful or not?", "tags": ["Natural Attractions", "timing for contemplative experience", "on a quiet weekday compared to a busy weekend", "probe"]}
{"dimension": "Social Environment", "type": "contrast", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during during a local ceremony where you are clearly a guest. In terms of Social Environment, how do they differ for you as a respectful, culture/spirit-first traveler? Use how money is handled (transparent vs extractive) as a cue in your explanation.", "tags": ["Social Environment", "contrast", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Social Environment", "type": "contrast", "prompt": "Compare a crowded ceremony-adjacent spot versus a calm everyday ritual moment in Bali during early morning before the crowds. In terms of Social Environment, how do they differ for you as a respectful, culture/spirit-first traveler? Use how money is handled (transparent vs extractive) as a cue in your explanation.", "tags": ["Social Environment", "contrast", "early morning before the crowds"]}
{"dimension": "Social Environment", "type": "contrast", "prompt": "Compare a rushed checklist day versus a slower day with fewer places but deeper presence in Bali during as a repeat visitor, noticing subtler layers. In terms of Social Environment, how do they differ for you as a respectful, culture/spirit-first traveler? Use how people behave when no one is watching as a cue in your explanation.", "tags": ["Social Environment", "contrast", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Social Environment", "type": "contrast+probe", "prompt": "Compare a rushed checklist day versus a slower day with fewer places but deeper presence in Bali during as a repeat visitor, noticing subtler layers. In terms of Social Environment, how do they differ for you as a respectful, culture/spirit-first traveler? Use how people behave when no one is watching as a cue in your explanation. What boundary would you not cross again?", "tags": ["Social Environment", "contrast", "as a repeat visitor, noticing subtler layers", "probe"]}
{"dimension": "Infrastructure + Atmosphere", "type": "tradeoff", "prompt": "Under this constraint: you need frequent rest and prefer fewer transitions. How do you trade off community benefit versus personal comfort when choosing cultural/spiritual experiences in Bali? Answer with examples touching Infrastructure and Atmosphere.", "tags": ["Infrastructure", "Atmosphere", "tradeoff", "mobility"]}
{"dimension": "Social Environment + Natural Attractions", "type": "tradeoff", "prompt": "Under this constraint: you avoid steep stairs but still want meaningful cultural/spiritual moments. How do you trade off guided cultural context versus self-guided freedom when choosing cultural/spiritual experiences in Bali? Answer with examples touching Social Environment and Natural Attractions.", "tags": ["Social Environment", "Natural Attractions", "tradeoff", "mobility"]}
{"dimension": "Value for Money", "type": "contrast", "prompt": "Compare a curated tour script versus a guide who shares context and encourages respect in Bali during late afternoon when light softens and things slow down. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use how people behave when no one is watching as a cue in your explanation.", "tags": ["Value for Money", "contrast", "late afternoon when light softens and things slow down"]}
{"dimension": "Infrastructure", "type": "laddering", "prompt": "Think about a specific moment in Bali during as a repeat visitor, noticing subtler layers that left you with a sense of calm. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on accessibility with dignity).", "tags": ["Infrastructure", "accessibility with dignity", "as a repeat visitor, noticing subtler layers", "laddering"]}
{"dimension": "Natural Attractions", "type": "contrast", "prompt": "Compare a rushed checklist day versus a slower day with fewer places but deeper presence in Bali during in rainy season when plans change and patience matters. In terms of Natural Attractions, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether rules feel protective or performative as a cue in your explanation.", "tags": ["Natural Attractions", "contrast", "in rainy season when plans change and patience matters"]}
{"dimension": "Atmosphere", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you have one full day and want it to feel coherent and meaningful', what should they understand about Atmosphere (especially commercialization pressure)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., permission to photograph everything?", "tags": ["Atmosphere", "commercialization pressure", "marketer", "time"]}
{"dimension": "Infrastructure + Social Environment", "type": "tradeoff", "prompt": "Under this constraint: visibility is low and your sunrise plan may fail-how do you adapt meaningfully?. How do you trade off slow pace versus variety of stops when choosing cultural/spiritual experiences in Bali? Answer with examples touching Infrastructure and Social Environment.", "tags": ["Infrastructure", "Social Environment", "tradeoff", "weather"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "Tell me about a time when… your experience with coastal paths that feel like a moving meditation in Bali during solo, when you can be more contemplative. From a Natural Attractions perspective, what stands out about respectful behavior in nature-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "respectful behavior in nature", "solo, when you can be more contemplative"]}
{"dimension": "Natural Attractions", "type": "single+probe", "prompt": "Tell me about a time when… your experience with coastal paths that feel like a moving meditation in Bali during solo, when you can be more contemplative. From a Natural Attractions perspective, what stands out about respectful behavior in nature-and why does it matter to you as a culture/spirit-oriented traveler? What would you tell a marketer to never claim in messaging?", "tags": ["Natural Attractions", "respectful behavior in nature", "solo, when you can be more contemplative", "probe"]}
{"dimension": "Social Environment", "type": "contrast", "prompt": "Compare a curated tour script versus a guide who shares context and encourages respect in Bali during early morning before the crowds. In terms of Social Environment, how do they differ for you as a respectful, culture/spirit-first traveler? Use performative 'authenticity' for tourists as a cue in your explanation.", "tags": ["Social Environment", "contrast", "early morning before the crowds"]}
{"dimension": "Atmosphere", "type": "route_design", "prompt": "Design a mini day-route that combines jungle walks where you notice offerings and small shrines and a traditional market where everyday ritual shows up in small ways under this constraint: roads feel unsafe, so you prioritize fewer moves and deeper presence. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Atmosphere.", "tags": ["Atmosphere", "route", "weather"]}
{"dimension": "Atmosphere", "type": "laddering", "prompt": "Think about a specific moment in Bali during late afternoon when light softens and things slow down that left you with a stronger respect for local rhythms. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on commercialization pressure).", "tags": ["Atmosphere", "commercialization pressure", "late afternoon when light softens and things slow down", "laddering"]}
{"dimension": "Atmosphere", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during late afternoon when light softens and things slow down that left you with a stronger respect for local rhythms. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on commercialization pressure). What would have improved it without turning it into a spectacle?", "tags": ["Atmosphere", "commercialization pressure", "late afternoon when light softens and things slow down", "laddering", "probe"]}
{"dimension": "Social Environment", "type": "laddering", "prompt": "Think about a specific moment in Bali during as a repeat visitor, noticing subtler layers that left you with a shift in how you see daily life. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Social Environment (focus on tourist behavior that disrupts).", "tags": ["Social Environment", "tourist behavior that disrupts", "as a repeat visitor, noticing subtler layers", "laddering"]}
{"dimension": "Social Environment", "type": "contrast", "prompt": "Compare a rushed checklist day versus a slower day with fewer places but deeper presence in Bali during as a repeat visitor, noticing subtler layers. In terms of Social Environment, how do they differ for you as a respectful, culture/spirit-first traveler? Use performative 'authenticity' for tourists as a cue in your explanation.", "tags": ["Social Environment", "contrast", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Infrastructure", "type": "contrast", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during on a quiet weekday compared to a busy weekend. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use performative 'authenticity' for tourists as a cue in your explanation.", "tags": ["Infrastructure", "contrast", "on a quiet weekday compared to a busy weekend"]}
{"dimension": "Infrastructure", "type": "contrast+probe", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during on a quiet weekday compared to a busy weekend. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use performative 'authenticity' for tourists as a cue in your explanation. What would you tell a marketer to never claim in messaging?", "tags": ["Infrastructure", "contrast", "on a quiet weekday compared to a busy weekend", "probe"]}
{"dimension": "Infrastructure", "type": "contrast", "prompt": "Compare a rushed checklist day versus a slower day with fewer places but deeper presence in Bali during in rainy season when plans change and patience matters. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use crowds that change the emotional tone as a cue in your explanation.", "tags": ["Infrastructure", "contrast", "in rainy season when plans change and patience matters"]}
{"dimension": "Infrastructure", "type": "contrast+probe", "prompt": "Compare a rushed checklist day versus a slower day with fewer places but deeper presence in Bali during in rainy season when plans change and patience matters. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use crowds that change the emotional tone as a cue in your explanation. What specifically made it feel respectful or not?", "tags": ["Infrastructure", "contrast", "in rainy season when plans change and patience matters", "probe"]}
{"dimension": "Atmosphere", "type": "contrast", "prompt": "Compare a crowded ceremony-adjacent spot versus a calm everyday ritual moment in Bali during during a local ceremony where you are clearly a guest. In terms of Atmosphere, how do they differ for you as a respectful, culture/spirit-first traveler? Use crowds that change the emotional tone as a cue in your explanation.", "tags": ["Atmosphere", "contrast", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Atmosphere", "type": "single", "prompt": "Walk me through… your experience with a craft workshop focused on meaning and lineage, not souvenirs in Bali during as a repeat visitor, noticing subtler layers. From a Atmosphere perspective, what stands out about silence, sound, and pace-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Atmosphere", "silence, sound, and pace", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Infrastructure", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to how to move through a temple without intruding in Bali during late afternoon when light softens and things slow down. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Infrastructure.", "tags": ["Infrastructure", "etiquette", "how to move through a temple without intruding", "late afternoon when light softens and things slow down"]}
{"dimension": "Infrastructure", "type": "etiquette+probe", "prompt": "Walk me through an etiquette situation related to how to move through a temple without intruding in Bali during late afternoon when light softens and things slow down. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Infrastructure. What specifically made it feel respectful or not?", "tags": ["Infrastructure", "etiquette", "how to move through a temple without intruding", "late afternoon when light softens and things slow down", "probe"]}
{"dimension": "Natural Attractions", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you need frequent rest and prefer fewer transitions', what should they understand about Natural Attractions (especially timing for contemplative experience)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., a 'hidden local ritual' framed as a product?", "tags": ["Natural Attractions", "timing for contemplative experience", "marketer", "mobility"]}
{"dimension": "Infrastructure", "type": "route_design", "prompt": "Design a mini day-route that combines waterfalls approached with a quiet, respectful mood and a craft workshop focused on meaning and lineage, not souvenirs under this constraint: you can handle crowds if etiquette and sacredness are preserved. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Infrastructure.", "tags": ["Infrastructure", "route", "crowds"]}
{"dimension": "Social Environment", "type": "laddering", "prompt": "Think about a specific moment in Bali during with a local guide who emphasizes respect and context that left you with a moment of awe. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Social Environment (focus on respectful interaction with locals).", "tags": ["Social Environment", "respectful interaction with locals", "with a local guide who emphasizes respect and context", "laddering"]}
{"dimension": "Value for Money", "type": "single", "prompt": "Walk me through… your experience with a quiet heritage walk where stories feel layered in Bali during with a local guide who emphasizes respect and context. From a Value for Money perspective, what stands out about fairness and transparency-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Value for Money", "fairness and transparency", "with a local guide who emphasizes respect and context"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "What does 'authentic and respectful' look like to you when… your experience with jungle walks where you notice offerings and small shrines in Bali during during a local ceremony where you are clearly a guest. From a Natural Attractions perspective, what stands out about sense of place and meaning-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "sense of place and meaning", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Infrastructure", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you have three days and want a gentle pace with time for reflection', what should they understand about Infrastructure (especially frictionless but respectful access)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., permission to photograph everything?", "tags": ["Infrastructure", "frictionless but respectful access", "marketer", "time"]}
{"dimension": "Value for Money + Atmosphere", "type": "tradeoff", "prompt": "Under this constraint: you avoid steep stairs but still want meaningful cultural/spiritual moments. How do you trade off photography versus presence and respect when choosing cultural/spiritual experiences in Bali? Answer with examples touching Value for Money and Atmosphere.", "tags": ["Value for Money", "Atmosphere", "tradeoff", "mobility"]}
{"dimension": "Atmosphere", "type": "contrast", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during solo, when you can be more contemplative. In terms of Atmosphere, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the pace allows reflection or pushes consumption as a cue in your explanation.", "tags": ["Atmosphere", "contrast", "solo, when you can be more contemplative"]}
{"dimension": "Natural Attractions", "type": "contrast", "prompt": "Compare a curated tour script versus a guide who shares context and encourages respect in Bali during early morning before the crowds. In terms of Natural Attractions, how do they differ for you as a respectful, culture/spirit-first traveler? Use feeling like sacredness is being packaged as a cue in your explanation.", "tags": ["Natural Attractions", "contrast", "early morning before the crowds"]}
{"dimension": "Infrastructure + Value for Money", "type": "tradeoff", "prompt": "Under this constraint: you have a modest budget but still want cultural depth and fairness. How do you trade off guided cultural context versus self-guided freedom when choosing cultural/spiritual experiences in Bali? Answer with examples touching Infrastructure and Value for Money.", "tags": ["Infrastructure", "Value for Money", "tradeoff", "budget"]}
{"dimension": "Natural Attractions", "type": "contrast", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during in rainy season when plans change and patience matters. In terms of Natural Attractions, how do they differ for you as a respectful, culture/spirit-first traveler? Use how people behave when no one is watching as a cue in your explanation.", "tags": ["Natural Attractions", "contrast", "in rainy season when plans change and patience matters"]}
{"dimension": "Value for Money", "type": "route_design", "prompt": "Design a mini day-route that combines volcano viewpoints that invite reflection at dawn and a community space where offerings are prepared under this constraint: visibility is low and your sunrise plan may fail-how do you adapt meaningfully?. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Value for Money.", "tags": ["Value for Money", "route", "weather"]}
{"dimension": "Value for Money", "type": "route_design", "prompt": "Design a mini day-route that combines hot springs experienced as restoration rather than spectacle and a dance performance where you try to read symbolism under this constraint: you can handle crowds if etiquette and sacredness are preserved. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Value for Money.", "tags": ["Value for Money", "route", "crowds"]}
{"dimension": "Value for Money", "type": "route_design+probe", "prompt": "Design a mini day-route that combines hot springs experienced as restoration rather than spectacle and a dance performance where you try to read symbolism under this constraint: you can handle crowds if etiquette and sacredness are preserved. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Value for Money. What would have improved it without turning it into a spectacle?", "tags": ["Value for Money", "route", "crowds", "probe"]}
{"dimension": "Value for Money", "type": "route_design", "prompt": "Design a mini day-route that combines coastal paths that feel like a moving meditation and a dance performance where you try to read symbolism under this constraint: you want to avoid crowds because they dilute atmosphere and respect. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Value for Money.", "tags": ["Value for Money", "route", "crowds"]}
{"dimension": "Value for Money", "type": "route_design+probe", "prompt": "Design a mini day-route that combines coastal paths that feel like a moving meditation and a dance performance where you try to read symbolism under this constraint: you want to avoid crowds because they dilute atmosphere and respect. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Value for Money. What boundary would you not cross again?", "tags": ["Value for Money", "route", "crowds", "probe"]}
{"dimension": "Social Environment", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you want your presence to feel like 'being a guest' not 'taking'', what should they understand about Social Environment (especially learning without extracting)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., access to sacred spaces without emphasizing etiquette and consent?", "tags": ["Social Environment", "learning without extracting", "marketer", "ethics"]}
{"dimension": "Infrastructure + Atmosphere", "type": "tradeoff", "prompt": "Under this constraint: you prioritize local benefit, consent, and respectful boundaries. How do you trade off sacredness versus accessibility when choosing cultural/spiritual experiences in Bali? Answer with examples touching Infrastructure and Atmosphere.", "tags": ["Infrastructure", "Atmosphere", "tradeoff", "ethics"]}
{"dimension": "Infrastructure", "type": "contrast", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during on a quiet weekday compared to a busy weekend. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use how money is handled (transparent vs extractive) as a cue in your explanation.", "tags": ["Infrastructure", "contrast", "on a quiet weekday compared to a busy weekend"]}
{"dimension": "Infrastructure", "type": "contrast+probe", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during on a quiet weekday compared to a busy weekend. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use how money is handled (transparent vs extractive) as a cue in your explanation. How did it change your mood or sense of meaning that day?", "tags": ["Infrastructure", "contrast", "on a quiet weekday compared to a busy weekend", "probe"]}
{"dimension": "Social Environment", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you'll pay more if it supports local communities transparently', what should they understand about Social Environment (especially guide trust and cultural context)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., access to sacred spaces without emphasizing etiquette and consent?", "tags": ["Social Environment", "guide trust and cultural context", "marketer", "budget"]}
{"dimension": "Atmosphere + Infrastructure", "type": "tradeoff", "prompt": "Under this constraint: visibility is low and your sunrise plan may fail-how do you adapt meaningfully?. How do you trade off sacredness versus accessibility when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Infrastructure.", "tags": ["Atmosphere", "Infrastructure", "tradeoff", "weather"]}
{"dimension": "Atmosphere", "type": "route_design", "prompt": "Design a mini day-route that combines hot springs experienced as restoration rather than spectacle and a craft workshop focused on meaning and lineage, not souvenirs under this constraint: you want your presence to feel like 'being a guest' not 'taking'. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Atmosphere.", "tags": ["Atmosphere", "route", "ethics"]}
{"dimension": "Natural Attractions", "type": "laddering", "prompt": "Think about a specific moment in Bali during on a quiet weekday compared to a busy weekend that left you with a sense of calm. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Natural Attractions (focus on routes that support reflection).", "tags": ["Natural Attractions", "routes that support reflection", "on a quiet weekday compared to a busy weekend", "laddering"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "As a culturally/spiritually motivated traveler, how do you… your experience with coastal paths that feel like a moving meditation in Bali during late afternoon when light softens and things slow down. From a Natural Attractions perspective, what stands out about access vs sacred calm-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "access vs sacred calm", "late afternoon when light softens and things slow down"]}
{"dimension": "Value for Money", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to photography boundaries in Bali during in rainy season when plans change and patience matters. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Value for Money.", "tags": ["Value for Money", "etiquette", "photography boundaries", "in rainy season when plans change and patience matters"]}
{"dimension": "Value for Money", "type": "single", "prompt": "Walk me through… your experience with temple courtyards and entry paths in Bali during early morning before the crowds. From a Value for Money perspective, what stands out about fairness and transparency-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Value for Money", "fairness and transparency", "early morning before the crowds"]}
{"dimension": "Value for Money", "type": "single+probe", "prompt": "Walk me through… your experience with temple courtyards and entry paths in Bali during early morning before the crowds. From a Value for Money perspective, what stands out about fairness and transparency-and why does it matter to you as a culture/spirit-oriented traveler? What boundary would you not cross again?", "tags": ["Value for Money", "fairness and transparency", "early morning before the crowds", "probe"]}
{"dimension": "Natural Attractions + Social Environment", "type": "tradeoff", "prompt": "Under this constraint: you want your presence to feel like 'being a guest' not 'taking'. How do you trade off community benefit versus personal comfort when choosing cultural/spiritual experiences in Bali? Answer with examples touching Natural Attractions and Social Environment.", "tags": ["Natural Attractions", "Social Environment", "tradeoff", "ethics"]}
{"dimension": "Social Environment", "type": "single", "prompt": "What surprised you about the spiritual or cultural texture of… your experience with a traditional market where everyday ritual shows up in small ways in Bali during solo, when you can be more contemplative. From a Social Environment perspective, what stands out about respectful interaction with locals-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "respectful interaction with locals", "solo, when you can be more contemplative"]}
{"dimension": "Value for Money", "type": "contrast", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during with a local guide who emphasizes respect and context. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use overt commercialization around sacred spaces as a cue in your explanation.", "tags": ["Value for Money", "contrast", "with a local guide who emphasizes respect and context"]}
{"dimension": "Value for Money", "type": "contrast+probe", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during with a local guide who emphasizes respect and context. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use overt commercialization around sacred spaces as a cue in your explanation. How did it change your mood or sense of meaning that day?", "tags": ["Value for Money", "contrast", "with a local guide who emphasizes respect and context", "probe"]}
{"dimension": "Social Environment + Natural Attractions", "type": "tradeoff", "prompt": "Under this constraint: you prioritize local benefit, consent, and respectful boundaries. How do you trade off depth of understanding versus convenience when choosing cultural/spiritual experiences in Bali? Answer with examples touching Social Environment and Natural Attractions.", "tags": ["Social Environment", "Natural Attractions", "tradeoff", "ethics"]}
{"dimension": "Social Environment + Atmosphere", "type": "tradeoff", "prompt": "Under this constraint: you prefer not to ride a scooter and want low-friction transport options. How do you trade off predictable pricing versus spontaneous discovery when choosing cultural/spiritual experiences in Bali? Answer with examples touching Social Environment and Atmosphere.", "tags": ["Social Environment", "Atmosphere", "tradeoff", "mobility"]}
{"dimension": "Infrastructure", "type": "contrast", "prompt": "Compare a curated tour script versus a guide who shares context and encourages respect in Bali during on a quiet weekday compared to a busy weekend. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the experience is integrated into local life as a cue in your explanation.", "tags": ["Infrastructure", "contrast", "on a quiet weekday compared to a busy weekend"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "Walk me through… your experience with volcano viewpoints that invite reflection at dawn in Bali during early morning before the crowds. From a Natural Attractions perspective, what stands out about sense of place and meaning-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "sense of place and meaning", "early morning before the crowds"]}
{"dimension": "Natural Attractions", "type": "single+probe", "prompt": "Walk me through… your experience with volcano viewpoints that invite reflection at dawn in Bali during early morning before the crowds. From a Natural Attractions perspective, what stands out about sense of place and meaning-and why does it matter to you as a culture/spirit-oriented traveler? What did you notice first, and what happened next?", "tags": ["Natural Attractions", "sense of place and meaning", "early morning before the crowds", "probe"]}
{"dimension": "Infrastructure", "type": "contrast", "prompt": "Compare a crowded ceremony-adjacent spot versus a calm everyday ritual moment in Bali during late afternoon when light softens and things slow down. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use feeling like sacredness is being packaged as a cue in your explanation.", "tags": ["Infrastructure", "contrast", "late afternoon when light softens and things slow down"]}
{"dimension": "Atmosphere", "type": "contrast", "prompt": "Compare a popular temple area versus a quieter village setting in Bali during in rainy season when plans change and patience matters. In terms of Atmosphere, how do they differ for you as a respectful, culture/spirit-first traveler? Use how people behave when no one is watching as a cue in your explanation.", "tags": ["Atmosphere", "contrast", "in rainy season when plans change and patience matters"]}
{"dimension": "Value for Money", "type": "single", "prompt": "If you had to advise a tourism marketer focused on respectful cultural travel… your experience with a dance performance where you try to read symbolism in Bali during late afternoon when light softens and things slow down. From a Value for Money perspective, what stands out about avoiding extractive 'spiritual packages'-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Value for Money", "avoiding extractive 'spiritual packages'", "late afternoon when light softens and things slow down"]}
{"dimension": "Value for Money", "type": "single+probe", "prompt": "If you had to advise a tourism marketer focused on respectful cultural travel… your experience with a dance performance where you try to read symbolism in Bali during late afternoon when light softens and things slow down. From a Value for Money perspective, what stands out about avoiding extractive 'spiritual packages'-and why does it matter to you as a culture/spirit-oriented traveler? What boundary would you not cross again?", "tags": ["Value for Money", "avoiding extractive 'spiritual packages'", "late afternoon when light softens and things slow down", "probe"]}
{"dimension": "Value for Money", "type": "laddering", "prompt": "Think about a specific moment in Bali during during a local ceremony where you are clearly a guest that left you with a sense of calm. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Value for Money (focus on donations vs fees).", "tags": ["Value for Money", "donations vs fees", "during a local ceremony where you are clearly a guest", "laddering"]}
{"dimension": "Value for Money", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you want to avoid commodifying sacred life', what should they understand about Value for Money (especially community benefit)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., permission to photograph everything?", "tags": ["Value for Money", "community benefit", "marketer", "ethics"]}
{"dimension": "Infrastructure", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'visibility is low and your sunrise plan may fail-how do you adapt meaningfully?', what should they understand about Infrastructure (especially visitor flow that protects sacred spaces)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., a 'hidden local ritual' framed as a product?", "tags": ["Infrastructure", "visitor flow that protects sacred spaces", "marketer", "weather"]}
{"dimension": "Natural Attractions", "type": "laddering", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a moment of awe. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Natural Attractions (focus on sense of place and meaning).", "tags": ["Natural Attractions", "sense of place and meaning", "solo, when you can be more contemplative", "laddering"]}
{"dimension": "Infrastructure", "type": "contrast", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during late afternoon when light softens and things slow down. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use overt commercialization around sacred spaces as a cue in your explanation.", "tags": ["Infrastructure", "contrast", "late afternoon when light softens and things slow down"]}
{"dimension": "Infrastructure", "type": "laddering", "prompt": "Think about a specific moment in Bali during with a local guide who emphasizes respect and context that left you with a shift in how you see daily life. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on transparent ticketing/donations).", "tags": ["Infrastructure", "transparent ticketing/donations", "with a local guide who emphasizes respect and context", "laddering"]}
{"dimension": "Atmosphere", "type": "single", "prompt": "Tell me about a time when… your experience with a craft workshop focused on meaning and lineage, not souvenirs in Bali during on a quiet weekday compared to a busy weekend. From a Atmosphere perspective, what stands out about ritual context shaping ambience-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Atmosphere", "ritual context shaping ambience", "on a quiet weekday compared to a busy weekend"]}
{"dimension": "Atmosphere", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you have three days and want a gentle pace with time for reflection', what should they understand about Atmosphere (especially authenticity cues)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., access to sacred spaces without emphasizing etiquette and consent?", "tags": ["Atmosphere", "authenticity cues", "marketer", "time"]}
{"dimension": "Atmosphere", "type": "marketer_advice+probe", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you have three days and want a gentle pace with time for reflection', what should they understand about Atmosphere (especially authenticity cues)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., access to sacred spaces without emphasizing etiquette and consent? How did it change your mood or sense of meaning that day?", "tags": ["Atmosphere", "authenticity cues", "marketer", "time", "probe"]}
{"dimension": "Atmosphere + Infrastructure", "type": "tradeoff", "prompt": "Under this constraint: you avoid steep stairs but still want meaningful cultural/spiritual moments. How do you trade off depth of understanding versus convenience when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Infrastructure.", "tags": ["Atmosphere", "Infrastructure", "tradeoff", "mobility"]}
{"dimension": "Atmosphere + Infrastructure", "type": "tradeoff+probe", "prompt": "Under this constraint: you avoid steep stairs but still want meaningful cultural/spiritual moments. How do you trade off depth of understanding versus convenience when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Infrastructure. What would you tell a marketer to never claim in messaging?", "tags": ["Atmosphere", "Infrastructure", "tradeoff", "mobility", "probe"]}
{"dimension": "Social Environment", "type": "contrast", "prompt": "Compare a market aisle focused on souvenirs versus a market moment that shows daily offerings and rhythm in Bali during with a local guide who emphasizes respect and context. In terms of Social Environment, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the experience is integrated into local life as a cue in your explanation.", "tags": ["Social Environment", "contrast", "with a local guide who emphasizes respect and context"]}
{"dimension": "Social Environment", "type": "contrast+probe", "prompt": "Compare a market aisle focused on souvenirs versus a market moment that shows daily offerings and rhythm in Bali during with a local guide who emphasizes respect and context. In terms of Social Environment, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the experience is integrated into local life as a cue in your explanation. What would you tell a marketer to never claim in messaging?", "tags": ["Social Environment", "contrast", "with a local guide who emphasizes respect and context", "probe"]}
{"dimension": "Atmosphere", "type": "laddering", "prompt": "Think about a specific moment in Bali during in rainy season when plans change and patience matters that left you with a quiet emotional reset. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on sacredness and emotional tone).", "tags": ["Atmosphere", "sacredness and emotional tone", "in rainy season when plans change and patience matters", "laddering"]}
{"dimension": "Atmosphere", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during in rainy season when plans change and patience matters that left you with a quiet emotional reset. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on sacredness and emotional tone). How did it change your mood or sense of meaning that day?", "tags": ["Atmosphere", "sacredness and emotional tone", "in rainy season when plans change and patience matters", "laddering", "probe"]}
{"dimension": "Atmosphere + Natural Attractions", "type": "tradeoff", "prompt": "Under this constraint: you'll pay more if it supports local communities transparently. How do you trade off sacredness versus accessibility when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Natural Attractions.", "tags": ["Atmosphere", "Natural Attractions", "tradeoff", "budget"]}
{"dimension": "Atmosphere + Natural Attractions", "type": "tradeoff+probe", "prompt": "Under this constraint: you'll pay more if it supports local communities transparently. How do you trade off sacredness versus accessibility when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Natural Attractions. What would you tell a marketer to never claim in messaging?", "tags": ["Atmosphere", "Natural Attractions", "tradeoff", "budget", "probe"]}
{"dimension": "Natural Attractions + Atmosphere", "type": "tradeoff", "prompt": "Under this constraint: you can handle crowds if etiquette and sacredness are preserved. How do you trade off predictable pricing versus spontaneous discovery when choosing cultural/spiritual experiences in Bali? Answer with examples touching Natural Attractions and Atmosphere.", "tags": ["Natural Attractions", "Atmosphere", "tradeoff", "crowds"]}
{"dimension": "Atmosphere", "type": "single", "prompt": "What does 'authentic and respectful' look like to you when… your experience with a craft workshop focused on meaning and lineage, not souvenirs in Bali during as a repeat visitor, noticing subtler layers. From a Atmosphere perspective, what stands out about commercialization pressure-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Atmosphere", "commercialization pressure", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Social Environment", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you can handle crowds if etiquette and sacredness are preserved', what should they understand about Social Environment (especially tourist behavior that disrupts)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., access to sacred spaces without emphasizing etiquette and consent?", "tags": ["Social Environment", "tourist behavior that disrupts", "marketer", "crowds"]}
{"dimension": "Social Environment", "type": "marketer_advice+probe", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you can handle crowds if etiquette and sacredness are preserved', what should they understand about Social Environment (especially tourist behavior that disrupts)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., access to sacred spaces without emphasizing etiquette and consent? What specifically made it feel respectful or not?", "tags": ["Social Environment", "tourist behavior that disrupts", "marketer", "crowds", "probe"]}
{"dimension": "Infrastructure", "type": "contrast", "prompt": "Compare a curated tour script versus a guide who shares context and encourages respect in Bali during solo, when you can be more contemplative. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use feeling like sacredness is being packaged as a cue in your explanation.", "tags": ["Infrastructure", "contrast", "solo, when you can be more contemplative"]}
{"dimension": "Social Environment", "type": "laddering", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a shift in how you see daily life. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Social Environment (focus on guide trust and cultural context).", "tags": ["Social Environment", "guide trust and cultural context", "solo, when you can be more contemplative", "laddering"]}
{"dimension": "Social Environment", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a shift in how you see daily life. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Social Environment (focus on guide trust and cultural context). How did it change your mood or sense of meaning that day?", "tags": ["Social Environment", "guide trust and cultural context", "solo, when you can be more contemplative", "laddering", "probe"]}
{"dimension": "Atmosphere", "type": "single", "prompt": "How do you personally decide whether to join, observe, or step back when… your experience with a quiet heritage walk where stories feel layered in Bali during as a repeat visitor, noticing subtler layers. From a Atmosphere perspective, what stands out about authenticity cues-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Atmosphere", "authenticity cues", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Natural Attractions", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you can only travel within a short radius and must choose carefully', what should they understand about Natural Attractions (especially quiet awe vs spectacle)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., access to sacred spaces without emphasizing etiquette and consent?", "tags": ["Natural Attractions", "quiet awe vs spectacle", "marketer", "time"]}
{"dimension": "Natural Attractions", "type": "marketer_advice+probe", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you can only travel within a short radius and must choose carefully', what should they understand about Natural Attractions (especially quiet awe vs spectacle)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., access to sacred spaces without emphasizing etiquette and consent? What did you notice first, and what happened next?", "tags": ["Natural Attractions", "quiet awe vs spectacle", "marketer", "time", "probe"]}
{"dimension": "Natural Attractions", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to photography boundaries in Bali during late afternoon when light softens and things slow down. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Natural Attractions.", "tags": ["Natural Attractions", "etiquette", "photography boundaries", "late afternoon when light softens and things slow down"]}
{"dimension": "Social Environment", "type": "laddering", "prompt": "Think about a specific moment in Bali during during a local ceremony where you are clearly a guest that left you with a moment of awe. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Social Environment (focus on learning without extracting).", "tags": ["Social Environment", "learning without extracting", "during a local ceremony where you are clearly a guest", "laddering"]}
{"dimension": "Atmosphere", "type": "contrast", "prompt": "Compare a rushed checklist day versus a slower day with fewer places but deeper presence in Bali during during a local ceremony where you are clearly a guest. In terms of Atmosphere, how do they differ for you as a respectful, culture/spirit-first traveler? Use performative 'authenticity' for tourists as a cue in your explanation.", "tags": ["Atmosphere", "contrast", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Atmosphere", "type": "single", "prompt": "What does 'authentic and respectful' look like to you when… your experience with a quiet heritage walk where stories feel layered in Bali during with a local guide who emphasizes respect and context. From a Atmosphere perspective, what stands out about crowds and reverence-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Atmosphere", "crowds and reverence", "with a local guide who emphasizes respect and context"]}
{"dimension": "Atmosphere", "type": "single+probe", "prompt": "What does 'authentic and respectful' look like to you when… your experience with a quiet heritage walk where stories feel layered in Bali during with a local guide who emphasizes respect and context. From a Atmosphere perspective, what stands out about crowds and reverence-and why does it matter to you as a culture/spirit-oriented traveler? What would have improved it without turning it into a spectacle?", "tags": ["Atmosphere", "crowds and reverence", "with a local guide who emphasizes respect and context", "probe"]}
{"dimension": "Infrastructure", "type": "contrast", "prompt": "Compare a crowded ceremony-adjacent spot versus a calm everyday ritual moment in Bali during on a quiet weekday compared to a busy weekend. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use performative 'authenticity' for tourists as a cue in your explanation.", "tags": ["Infrastructure", "contrast", "on a quiet weekday compared to a busy weekend"]}
{"dimension": "Infrastructure + Value for Money", "type": "tradeoff", "prompt": "Under this constraint: you want to avoid commodifying sacred life. How do you trade off slow pace versus variety of stops when choosing cultural/spiritual experiences in Bali? Answer with examples touching Infrastructure and Value for Money.", "tags": ["Infrastructure", "Value for Money", "tradeoff", "ethics"]}
{"dimension": "Infrastructure", "type": "laddering", "prompt": "Think about a specific moment in Bali during as a repeat visitor, noticing subtler layers that left you with a stronger respect for local rhythms. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on accessibility with dignity).", "tags": ["Infrastructure", "accessibility with dignity", "as a repeat visitor, noticing subtler layers", "laddering"]}
{"dimension": "Infrastructure", "type": "contrast", "prompt": "Compare a curated tour script versus a guide who shares context and encourages respect in Bali during late afternoon when light softens and things slow down. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use how people behave when no one is watching as a cue in your explanation.", "tags": ["Infrastructure", "contrast", "late afternoon when light softens and things slow down"]}
{"dimension": "Infrastructure", "type": "contrast+probe", "prompt": "Compare a curated tour script versus a guide who shares context and encourages respect in Bali during late afternoon when light softens and things slow down. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use how people behave when no one is watching as a cue in your explanation. What would have improved it without turning it into a spectacle?", "tags": ["Infrastructure", "contrast", "late afternoon when light softens and things slow down", "probe"]}
{"dimension": "Infrastructure", "type": "laddering", "prompt": "Think about a specific moment in Bali during during a local ceremony where you are clearly a guest that left you with a quiet emotional reset. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on toilets/rest areas without degrading atmosphere).", "tags": ["Infrastructure", "toilets/rest areas without degrading atmosphere", "during a local ceremony where you are clearly a guest", "laddering"]}
{"dimension": "Value for Money", "type": "contrast", "prompt": "Compare a market aisle focused on souvenirs versus a market moment that shows daily offerings and rhythm in Bali during with a local guide who emphasizes respect and context. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the pace allows reflection or pushes consumption as a cue in your explanation.", "tags": ["Value for Money", "contrast", "with a local guide who emphasizes respect and context"]}
{"dimension": "Value for Money", "type": "contrast+probe", "prompt": "Compare a market aisle focused on souvenirs versus a market moment that shows daily offerings and rhythm in Bali during with a local guide who emphasizes respect and context. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the pace allows reflection or pushes consumption as a cue in your explanation. What would you tell a marketer to never claim in messaging?", "tags": ["Value for Money", "contrast", "with a local guide who emphasizes respect and context", "probe"]}
{"dimension": "Social Environment", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to photography boundaries in Bali during during a local ceremony where you are clearly a guest. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Social Environment.", "tags": ["Social Environment", "etiquette", "photography boundaries", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Infrastructure", "type": "laddering", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a shift in how you see daily life. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on accessibility with dignity).", "tags": ["Infrastructure", "accessibility with dignity", "solo, when you can be more contemplative", "laddering"]}
{"dimension": "Natural Attractions + Value for Money", "type": "tradeoff", "prompt": "Under this constraint: you want to avoid commodifying sacred life. How do you trade off predictable pricing versus spontaneous discovery when choosing cultural/spiritual experiences in Bali? Answer with examples touching Natural Attractions and Value for Money.", "tags": ["Natural Attractions", "Value for Money", "tradeoff", "ethics"]}
{"dimension": "Natural Attractions + Value for Money", "type": "tradeoff+probe", "prompt": "Under this constraint: you want to avoid commodifying sacred life. How do you trade off predictable pricing versus spontaneous discovery when choosing cultural/spiritual experiences in Bali? Answer with examples touching Natural Attractions and Value for Money. How did it change your mood or sense of meaning that day?", "tags": ["Natural Attractions", "Value for Money", "tradeoff", "ethics", "probe"]}
{"dimension": "Social Environment", "type": "single", "prompt": "Walk me through… your experience with a quiet heritage walk where stories feel layered in Bali during with a local guide who emphasizes respect and context. From a Social Environment perspective, what stands out about consent and boundaries-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "consent and boundaries", "with a local guide who emphasizes respect and context"]}
{"dimension": "Social Environment", "type": "single+probe", "prompt": "Walk me through… your experience with a quiet heritage walk where stories feel layered in Bali during with a local guide who emphasizes respect and context. From a Social Environment perspective, what stands out about consent and boundaries-and why does it matter to you as a culture/spirit-oriented traveler? What specifically made it feel respectful or not?", "tags": ["Social Environment", "consent and boundaries", "with a local guide who emphasizes respect and context", "probe"]}
{"dimension": "Social Environment + Atmosphere", "type": "tradeoff", "prompt": "Under this constraint: you avoid steep stairs but still want meaningful cultural/spiritual moments. How do you trade off community benefit versus personal comfort when choosing cultural/spiritual experiences in Bali? Answer with examples touching Social Environment and Atmosphere.", "tags": ["Social Environment", "Atmosphere", "tradeoff", "mobility"]}
{"dimension": "Social Environment + Atmosphere", "type": "tradeoff+probe", "prompt": "Under this constraint: you avoid steep stairs but still want meaningful cultural/spiritual moments. How do you trade off community benefit versus personal comfort when choosing cultural/spiritual experiences in Bali? Answer with examples touching Social Environment and Atmosphere. What did you notice first, and what happened next?", "tags": ["Social Environment", "Atmosphere", "tradeoff", "mobility", "probe"]}
{"dimension": "Atmosphere", "type": "laddering", "prompt": "Think about a specific moment in Bali during during a local ceremony where you are clearly a guest that left you with a feeling of being a guest. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on ritual context shaping ambience).", "tags": ["Atmosphere", "ritual context shaping ambience", "during a local ceremony where you are clearly a guest", "laddering"]}
{"dimension": "Natural Attractions", "type": "laddering", "prompt": "Think about a specific moment in Bali during as a repeat visitor, noticing subtler layers that left you with a stronger respect for local rhythms. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Natural Attractions (focus on respectful behavior in nature).", "tags": ["Natural Attractions", "respectful behavior in nature", "as a repeat visitor, noticing subtler layers", "laddering"]}
{"dimension": "Atmosphere", "type": "contrast", "prompt": "Compare a market aisle focused on souvenirs versus a market moment that shows daily offerings and rhythm in Bali during as a repeat visitor, noticing subtler layers. In terms of Atmosphere, how do they differ for you as a respectful, culture/spirit-first traveler? Use how money is handled (transparent vs extractive) as a cue in your explanation.", "tags": ["Atmosphere", "contrast", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Atmosphere", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you want your presence to feel like 'being a guest' not 'taking'', what should they understand about Atmosphere (especially crowds and reverence)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., permission to photograph everything?", "tags": ["Atmosphere", "crowds and reverence", "marketer", "ethics"]}
{"dimension": "Atmosphere", "type": "laddering", "prompt": "Think about a specific moment in Bali during late afternoon when light softens and things slow down that left you with a moment of awe. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on ritual context shaping ambience).", "tags": ["Atmosphere", "ritual context shaping ambience", "late afternoon when light softens and things slow down", "laddering"]}
{"dimension": "Atmosphere", "type": "single", "prompt": "Walk me through… your experience with a traditional market where everyday ritual shows up in small ways in Bali during as a repeat visitor, noticing subtler layers. From a Atmosphere perspective, what stands out about sacredness and emotional tone-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Atmosphere", "sacredness and emotional tone", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Value for Money", "type": "laddering", "prompt": "Think about a specific moment in Bali during late afternoon when light softens and things slow down that left you with a feeling of gratitude. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Value for Money (focus on donations vs fees).", "tags": ["Value for Money", "donations vs fees", "late afternoon when light softens and things slow down", "laddering"]}
{"dimension": "Natural Attractions", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to when to speak vs stay quiet in Bali during during a local ceremony where you are clearly a guest. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Natural Attractions.", "tags": ["Natural Attractions", "etiquette", "when to speak vs stay quiet", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Natural Attractions", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to dress codes and modesty in Bali during as a repeat visitor, noticing subtler layers. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Natural Attractions.", "tags": ["Natural Attractions", "etiquette", "dress codes and modesty", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Natural Attractions", "type": "etiquette+probe", "prompt": "Walk me through an etiquette situation related to dress codes and modesty in Bali during as a repeat visitor, noticing subtler layers. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Natural Attractions. What did you notice first, and what happened next?", "tags": ["Natural Attractions", "etiquette", "dress codes and modesty", "as a repeat visitor, noticing subtler layers", "probe"]}
{"dimension": "Natural Attractions", "type": "laddering", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a sense of humility. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Natural Attractions (focus on respectful behavior in nature).", "tags": ["Natural Attractions", "respectful behavior in nature", "solo, when you can be more contemplative", "laddering"]}
{"dimension": "Natural Attractions", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a sense of humility. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Natural Attractions (focus on respectful behavior in nature). What would you tell a marketer to never claim in messaging?", "tags": ["Natural Attractions", "respectful behavior in nature", "solo, when you can be more contemplative", "laddering", "probe"]}
{"dimension": "Atmosphere + Social Environment", "type": "tradeoff", "prompt": "Under this constraint: it's rainy season and flexibility is part of respectful travel. How do you trade off quiet reflection versus seeing iconic places when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Social Environment.", "tags": ["Atmosphere", "Social Environment", "tradeoff", "weather"]}
{"dimension": "Atmosphere + Social Environment", "type": "tradeoff+probe", "prompt": "Under this constraint: it's rainy season and flexibility is part of respectful travel. How do you trade off quiet reflection versus seeing iconic places when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Social Environment. What specifically made it feel respectful or not?", "tags": ["Atmosphere", "Social Environment", "tradeoff", "weather", "probe"]}
{"dimension": "Atmosphere + Natural Attractions", "type": "tradeoff", "prompt": "Under this constraint: it's very hot and you need a pace that still feels mindful. How do you trade off predictable pricing versus spontaneous discovery when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Natural Attractions.", "tags": ["Atmosphere", "Natural Attractions", "tradeoff", "weather"]}
{"dimension": "Atmosphere + Natural Attractions", "type": "tradeoff+probe", "prompt": "Under this constraint: it's very hot and you need a pace that still feels mindful. How do you trade off predictable pricing versus spontaneous discovery when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Natural Attractions. What boundary would you not cross again?", "tags": ["Atmosphere", "Natural Attractions", "tradeoff", "weather", "probe"]}
{"dimension": "Atmosphere + Infrastructure", "type": "tradeoff", "prompt": "Under this constraint: it's rainy season and flexibility is part of respectful travel. How do you trade off photography versus presence and respect when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Infrastructure.", "tags": ["Atmosphere", "Infrastructure", "tradeoff", "weather"]}
{"dimension": "Natural Attractions", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you have a modest budget but still want cultural depth and fairness', what should they understand about Natural Attractions (especially timing for contemplative experience)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., access to sacred spaces without emphasizing etiquette and consent?", "tags": ["Natural Attractions", "timing for contemplative experience", "marketer", "budget"]}
{"dimension": "Natural Attractions", "type": "marketer_advice+probe", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you have a modest budget but still want cultural depth and fairness', what should they understand about Natural Attractions (especially timing for contemplative experience)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., access to sacred spaces without emphasizing etiquette and consent? How did it change your mood or sense of meaning that day?", "tags": ["Natural Attractions", "timing for contemplative experience", "marketer", "budget", "probe"]}
{"dimension": "Infrastructure", "type": "route_design", "prompt": "Design a mini day-route that combines jungle walks where you notice offerings and small shrines and a community space where offerings are prepared under this constraint: you want your presence to feel like 'being a guest' not 'taking'. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Infrastructure.", "tags": ["Infrastructure", "route", "ethics"]}
{"dimension": "Infrastructure", "type": "route_design+probe", "prompt": "Design a mini day-route that combines jungle walks where you notice offerings and small shrines and a community space where offerings are prepared under this constraint: you want your presence to feel like 'being a guest' not 'taking'. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Infrastructure. What did you notice first, and what happened next?", "tags": ["Infrastructure", "route", "ethics", "probe"]}
{"dimension": "Social Environment", "type": "single", "prompt": "What does 'authentic and respectful' look like to you when… your experience with temple courtyards and entry paths in Bali during as a repeat visitor, noticing subtler layers. From a Social Environment perspective, what stands out about being a guest and practicing humility-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "being a guest and practicing humility", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Social Environment", "type": "single+probe", "prompt": "What does 'authentic and respectful' look like to you when… your experience with temple courtyards and entry paths in Bali during as a repeat visitor, noticing subtler layers. From a Social Environment perspective, what stands out about being a guest and practicing humility-and why does it matter to you as a culture/spirit-oriented traveler? What specifically made it feel respectful or not?", "tags": ["Social Environment", "being a guest and practicing humility", "as a repeat visitor, noticing subtler layers", "probe"]}
{"dimension": "Infrastructure", "type": "laddering", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a feeling of being a guest. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on frictionless but respectful access).", "tags": ["Infrastructure", "frictionless but respectful access", "solo, when you can be more contemplative", "laddering"]}
{"dimension": "Infrastructure", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a feeling of being a guest. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on frictionless but respectful access). What specifically made it feel respectful or not?", "tags": ["Infrastructure", "frictionless but respectful access", "solo, when you can be more contemplative", "laddering", "probe"]}
{"dimension": "Natural Attractions", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to how to ask questions without turning sacred life into content in Bali during on a quiet weekday compared to a busy weekend. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Natural Attractions.", "tags": ["Natural Attractions", "etiquette", "how to ask questions without turning sacred life into content", "on a quiet weekday compared to a busy weekend"]}
{"dimension": "Social Environment", "type": "laddering", "prompt": "Think about a specific moment in Bali during during a local ceremony where you are clearly a guest that left you with a sense of calm. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Social Environment (focus on respectful interaction with locals).", "tags": ["Social Environment", "respectful interaction with locals", "during a local ceremony where you are clearly a guest", "laddering"]}
{"dimension": "Atmosphere", "type": "contrast", "prompt": "Compare a crowded ceremony-adjacent spot versus a calm everyday ritual moment in Bali during late afternoon when light softens and things slow down. In terms of Atmosphere, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the experience is integrated into local life as a cue in your explanation.", "tags": ["Atmosphere", "contrast", "late afternoon when light softens and things slow down"]}
{"dimension": "Atmosphere", "type": "contrast+probe", "prompt": "Compare a crowded ceremony-adjacent spot versus a calm everyday ritual moment in Bali during late afternoon when light softens and things slow down. In terms of Atmosphere, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the experience is integrated into local life as a cue in your explanation. What would you tell a marketer to never claim in messaging?", "tags": ["Atmosphere", "contrast", "late afternoon when light softens and things slow down", "probe"]}
{"dimension": "Infrastructure", "type": "single", "prompt": "As a culturally/spiritually motivated traveler, how do you… your experience with a craft workshop focused on meaning and lineage, not souvenirs in Bali during as a repeat visitor, noticing subtler layers. From a Infrastructure perspective, what stands out about frictionless but respectful access-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Infrastructure", "frictionless but respectful access", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Infrastructure + Natural Attractions", "type": "tradeoff", "prompt": "Under this constraint: visibility is low and your sunrise plan may fail-how do you adapt meaningfully?. How do you trade off sacredness versus accessibility when choosing cultural/spiritual experiences in Bali? Answer with examples touching Infrastructure and Natural Attractions.", "tags": ["Infrastructure", "Natural Attractions", "tradeoff", "weather"]}
{"dimension": "Social Environment", "type": "single", "prompt": "As a culturally/spiritually motivated traveler, how do you… your experience with temple courtyards and entry paths in Bali during during a local ceremony where you are clearly a guest. From a Social Environment perspective, what stands out about respectful interaction with locals-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "respectful interaction with locals", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Social Environment", "type": "single+probe", "prompt": "As a culturally/spiritually motivated traveler, how do you… your experience with temple courtyards and entry paths in Bali during during a local ceremony where you are clearly a guest. From a Social Environment perspective, what stands out about respectful interaction with locals-and why does it matter to you as a culture/spirit-oriented traveler? What would you tell a marketer to never claim in messaging?", "tags": ["Social Environment", "respectful interaction with locals", "during a local ceremony where you are clearly a guest", "probe"]}
{"dimension": "Atmosphere + Infrastructure", "type": "tradeoff", "prompt": "Under this constraint: you have one full day and want it to feel coherent and meaningful. How do you trade off predictable pricing versus spontaneous discovery when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Infrastructure.", "tags": ["Atmosphere", "Infrastructure", "tradeoff", "time"]}
{"dimension": "Natural Attractions", "type": "laddering", "prompt": "Think about a specific moment in Bali during during a local ceremony where you are clearly a guest that left you with a sense of calm. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Natural Attractions (focus on sense of place and meaning).", "tags": ["Natural Attractions", "sense of place and meaning", "during a local ceremony where you are clearly a guest", "laddering"]}
{"dimension": "Natural Attractions", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during during a local ceremony where you are clearly a guest that left you with a sense of calm. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Natural Attractions (focus on sense of place and meaning). What specifically made it feel respectful or not?", "tags": ["Natural Attractions", "sense of place and meaning", "during a local ceremony where you are clearly a guest", "laddering", "probe"]}
{"dimension": "Atmosphere", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to dress codes and modesty in Bali during during a local ceremony where you are clearly a guest. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Atmosphere.", "tags": ["Atmosphere", "etiquette", "dress codes and modesty", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Atmosphere", "type": "etiquette+probe", "prompt": "Walk me through an etiquette situation related to dress codes and modesty in Bali during during a local ceremony where you are clearly a guest. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Atmosphere. How did it change your mood or sense of meaning that day?", "tags": ["Atmosphere", "etiquette", "dress codes and modesty", "during a local ceremony where you are clearly a guest", "probe"]}
{"dimension": "Social Environment", "type": "single", "prompt": "If you had to advise a tourism marketer focused on respectful cultural travel… your experience with a craft workshop focused on meaning and lineage, not souvenirs in Bali during in rainy season when plans change and patience matters. From a Social Environment perspective, what stands out about learning without extracting-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "learning without extracting", "in rainy season when plans change and patience matters"]}
{"dimension": "Social Environment", "type": "single+probe", "prompt": "If you had to advise a tourism marketer focused on respectful cultural travel… your experience with a craft workshop focused on meaning and lineage, not souvenirs in Bali during in rainy season when plans change and patience matters. From a Social Environment perspective, what stands out about learning without extracting-and why does it matter to you as a culture/spirit-oriented traveler? What specifically made it feel respectful or not?", "tags": ["Social Environment", "learning without extracting", "in rainy season when plans change and patience matters", "probe"]}
{"dimension": "Atmosphere + Natural Attractions", "type": "tradeoff", "prompt": "Under this constraint: you avoid experiences that pressure locals to perform for tourists. How do you trade off photography versus presence and respect when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Natural Attractions.", "tags": ["Atmosphere", "Natural Attractions", "tradeoff", "ethics"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "What does 'authentic and respectful' look like to you when… your experience with hot springs experienced as restoration rather than spectacle in Bali during during a local ceremony where you are clearly a guest. From a Natural Attractions perspective, what stands out about quiet awe vs spectacle-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "quiet awe vs spectacle", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Natural Attractions", "type": "single+probe", "prompt": "What does 'authentic and respectful' look like to you when… your experience with hot springs experienced as restoration rather than spectacle in Bali during during a local ceremony where you are clearly a guest. From a Natural Attractions perspective, what stands out about quiet awe vs spectacle-and why does it matter to you as a culture/spirit-oriented traveler? What did you notice first, and what happened next?", "tags": ["Natural Attractions", "quiet awe vs spectacle", "during a local ceremony where you are clearly a guest", "probe"]}
{"dimension": "Infrastructure", "type": "contrast", "prompt": "Compare a rushed checklist day versus a slower day with fewer places but deeper presence in Bali during as a repeat visitor, noticing subtler layers. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use how money is handled (transparent vs extractive) as a cue in your explanation.", "tags": ["Infrastructure", "contrast", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Value for Money", "type": "contrast", "prompt": "Compare a market aisle focused on souvenirs versus a market moment that shows daily offerings and rhythm in Bali during on a quiet weekday compared to a busy weekend. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the experience is integrated into local life as a cue in your explanation.", "tags": ["Value for Money", "contrast", "on a quiet weekday compared to a busy weekend"]}
{"dimension": "Value for Money", "type": "contrast+probe", "prompt": "Compare a market aisle focused on souvenirs versus a market moment that shows daily offerings and rhythm in Bali during on a quiet weekday compared to a busy weekend. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the experience is integrated into local life as a cue in your explanation. How did it change your mood or sense of meaning that day?", "tags": ["Value for Money", "contrast", "on a quiet weekday compared to a busy weekend", "probe"]}
{"dimension": "Social Environment", "type": "single", "prompt": "Tell me about a time when… your experience with a dance performance where you try to read symbolism in Bali during as a repeat visitor, noticing subtler layers. From a Social Environment perspective, what stands out about learning without extracting-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "learning without extracting", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Infrastructure", "type": "contrast", "prompt": "Compare a popular temple area versus a quieter village setting in Bali during during a local ceremony where you are clearly a guest. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the experience is integrated into local life as a cue in your explanation.", "tags": ["Infrastructure", "contrast", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Natural Attractions", "type": "laddering", "prompt": "Think about a specific moment in Bali during during a local ceremony where you are clearly a guest that left you with a sense of calm. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Natural Attractions (focus on timing for contemplative experience).", "tags": ["Natural Attractions", "timing for contemplative experience", "during a local ceremony where you are clearly a guest", "laddering"]}
{"dimension": "Value for Money + Natural Attractions", "type": "tradeoff", "prompt": "Under this constraint: you avoid experiences that pressure locals to perform for tourists. How do you trade off quiet reflection versus seeing iconic places when choosing cultural/spiritual experiences in Bali? Answer with examples touching Value for Money and Natural Attractions.", "tags": ["Value for Money", "Natural Attractions", "tradeoff", "ethics"]}
{"dimension": "Infrastructure", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you want minimal walking but still want authenticity and atmosphere', what should they understand about Infrastructure (especially transparent ticketing/donations)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., permission to photograph everything?", "tags": ["Infrastructure", "transparent ticketing/donations", "marketer", "mobility"]}
{"dimension": "Infrastructure", "type": "marketer_advice+probe", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you want minimal walking but still want authenticity and atmosphere', what should they understand about Infrastructure (especially transparent ticketing/donations)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., permission to photograph everything? What specifically made it feel respectful or not?", "tags": ["Infrastructure", "transparent ticketing/donations", "marketer", "mobility", "probe"]}
{"dimension": "Natural Attractions + Atmosphere", "type": "tradeoff", "prompt": "Under this constraint: you prefer smaller, community-rooted experiences over pricey packages. How do you trade off slow pace versus variety of stops when choosing cultural/spiritual experiences in Bali? Answer with examples touching Natural Attractions and Atmosphere.", "tags": ["Natural Attractions", "Atmosphere", "tradeoff", "budget"]}
{"dimension": "Natural Attractions", "type": "laddering", "prompt": "Think about a specific moment in Bali during on a quiet weekday compared to a busy weekend that left you with a feeling of gratitude. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Natural Attractions (focus on respectful behavior in nature).", "tags": ["Natural Attractions", "respectful behavior in nature", "on a quiet weekday compared to a busy weekend", "laddering"]}
{"dimension": "Value for Money", "type": "laddering", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a moment of awe. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Value for Money (focus on donations vs fees).", "tags": ["Value for Money", "donations vs fees", "solo, when you can be more contemplative", "laddering"]}
{"dimension": "Value for Money", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a moment of awe. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Value for Money (focus on donations vs fees). What would you tell a marketer to never claim in messaging?", "tags": ["Value for Money", "donations vs fees", "solo, when you can be more contemplative", "laddering", "probe"]}
{"dimension": "Infrastructure", "type": "contrast", "prompt": "Compare a popular temple area versus a quieter village setting in Bali during with a local guide who emphasizes respect and context. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use overt commercialization around sacred spaces as a cue in your explanation.", "tags": ["Infrastructure", "contrast", "with a local guide who emphasizes respect and context"]}
{"dimension": "Infrastructure", "type": "contrast+probe", "prompt": "Compare a popular temple area versus a quieter village setting in Bali during with a local guide who emphasizes respect and context. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use overt commercialization around sacred spaces as a cue in your explanation. What specifically made it feel respectful or not?", "tags": ["Infrastructure", "contrast", "with a local guide who emphasizes respect and context", "probe"]}
{"dimension": "Atmosphere", "type": "laddering", "prompt": "Think about a specific moment in Bali during in rainy season when plans change and patience matters that left you with a shift in how you see daily life. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on commercialization pressure).", "tags": ["Atmosphere", "commercialization pressure", "in rainy season when plans change and patience matters", "laddering"]}
{"dimension": "Value for Money", "type": "single", "prompt": "Walk me through… your experience with a quiet heritage walk where stories feel layered in Bali during during a local ceremony where you are clearly a guest. From a Value for Money perspective, what stands out about avoiding extractive 'spiritual packages'-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Value for Money", "avoiding extractive 'spiritual packages'", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Value for Money", "type": "single+probe", "prompt": "Walk me through… your experience with a quiet heritage walk where stories feel layered in Bali during during a local ceremony where you are clearly a guest. From a Value for Money perspective, what stands out about avoiding extractive 'spiritual packages'-and why does it matter to you as a culture/spirit-oriented traveler? What boundary would you not cross again?", "tags": ["Value for Money", "avoiding extractive 'spiritual packages'", "during a local ceremony where you are clearly a guest", "probe"]}
{"dimension": "Natural Attractions", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to how to move through a temple without intruding in Bali during on a quiet weekday compared to a busy weekend. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Natural Attractions.", "tags": ["Natural Attractions", "etiquette", "how to move through a temple without intruding", "on a quiet weekday compared to a busy weekend"]}
{"dimension": "Atmosphere", "type": "contrast", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during with a local guide who emphasizes respect and context. In terms of Atmosphere, how do they differ for you as a respectful, culture/spirit-first traveler? Use performative 'authenticity' for tourists as a cue in your explanation.", "tags": ["Atmosphere", "contrast", "with a local guide who emphasizes respect and context"]}
{"dimension": "Atmosphere", "type": "contrast+probe", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during with a local guide who emphasizes respect and context. In terms of Atmosphere, how do they differ for you as a respectful, culture/spirit-first traveler? Use performative 'authenticity' for tourists as a cue in your explanation. What specifically made it feel respectful or not?", "tags": ["Atmosphere", "contrast", "with a local guide who emphasizes respect and context", "probe"]}
{"dimension": "Atmosphere", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you avoid experiences that pressure locals to perform for tourists', what should they understand about Atmosphere (especially sacredness and emotional tone)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., access to sacred spaces without emphasizing etiquette and consent?", "tags": ["Atmosphere", "sacredness and emotional tone", "marketer", "ethics"]}
{"dimension": "Atmosphere", "type": "marketer_advice+probe", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you avoid experiences that pressure locals to perform for tourists', what should they understand about Atmosphere (especially sacredness and emotional tone)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., access to sacred spaces without emphasizing etiquette and consent? What specifically made it feel respectful or not?", "tags": ["Atmosphere", "sacredness and emotional tone", "marketer", "ethics", "probe"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "What surprised you about the spiritual or cultural texture of… your experience with volcano viewpoints that invite reflection at dawn in Bali during in rainy season when plans change and patience matters. From a Natural Attractions perspective, what stands out about respectful behavior in nature-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "respectful behavior in nature", "in rainy season when plans change and patience matters"]}
{"dimension": "Natural Attractions", "type": "laddering", "prompt": "Think about a specific moment in Bali during late afternoon when light softens and things slow down that left you with a quiet emotional reset. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Natural Attractions (focus on respectful behavior in nature).", "tags": ["Natural Attractions", "respectful behavior in nature", "late afternoon when light softens and things slow down", "laddering"]}
{"dimension": "Value for Money", "type": "contrast", "prompt": "Compare a popular temple area versus a quieter village setting in Bali during during a local ceremony where you are clearly a guest. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use how people behave when no one is watching as a cue in your explanation.", "tags": ["Value for Money", "contrast", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Value for Money", "type": "contrast+probe", "prompt": "Compare a popular temple area versus a quieter village setting in Bali during during a local ceremony where you are clearly a guest. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use how people behave when no one is watching as a cue in your explanation. How did it change your mood or sense of meaning that day?", "tags": ["Value for Money", "contrast", "during a local ceremony where you are clearly a guest", "probe"]}
{"dimension": "Social Environment", "type": "laddering", "prompt": "Think about a specific moment in Bali during as a repeat visitor, noticing subtler layers that left you with a quiet emotional reset. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Social Environment (focus on respectful interaction with locals).", "tags": ["Social Environment", "respectful interaction with locals", "as a repeat visitor, noticing subtler layers", "laddering"]}
{"dimension": "Social Environment", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during as a repeat visitor, noticing subtler layers that left you with a quiet emotional reset. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Social Environment (focus on respectful interaction with locals). What boundary would you not cross again?", "tags": ["Social Environment", "respectful interaction with locals", "as a repeat visitor, noticing subtler layers", "laddering", "probe"]}
{"dimension": "Social Environment + Infrastructure", "type": "tradeoff", "prompt": "Under this constraint: you get overwhelmed by busy places and need calmer, respectful alternatives. How do you trade off slow pace versus variety of stops when choosing cultural/spiritual experiences in Bali? Answer with examples touching Social Environment and Infrastructure.", "tags": ["Social Environment", "Infrastructure", "tradeoff", "crowds"]}
{"dimension": "Social Environment", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you want minimal walking but still want authenticity and atmosphere', what should they understand about Social Environment (especially guide trust and cultural context)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., guaranteed 'authentic spirituality' on demand?", "tags": ["Social Environment", "guide trust and cultural context", "marketer", "mobility"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "What does 'authentic and respectful' look like to you when… your experience with coastal paths that feel like a moving meditation in Bali during in rainy season when plans change and patience matters. From a Natural Attractions perspective, what stands out about timing for contemplative experience-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "timing for contemplative experience", "in rainy season when plans change and patience matters"]}
{"dimension": "Infrastructure", "type": "single", "prompt": "How do you personally decide whether to join, observe, or step back when… your experience with a village ceremony you observe respectfully in Bali during solo, when you can be more contemplative. From a Infrastructure perspective, what stands out about transparent ticketing/donations-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Infrastructure", "transparent ticketing/donations", "solo, when you can be more contemplative"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "Walk me through… your experience with jungle walks where you notice offerings and small shrines in Bali during early morning before the crowds. From a Natural Attractions perspective, what stands out about sense of place and meaning-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "sense of place and meaning", "early morning before the crowds"]}
{"dimension": "Atmosphere + Social Environment", "type": "tradeoff", "prompt": "Under this constraint: you want to avoid commodifying sacred life. How do you trade off predictable pricing versus spontaneous discovery when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Social Environment.", "tags": ["Atmosphere", "Social Environment", "tradeoff", "ethics"]}
{"dimension": "Atmosphere", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to photography boundaries in Bali during solo, when you can be more contemplative. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Atmosphere.", "tags": ["Atmosphere", "etiquette", "photography boundaries", "solo, when you can be more contemplative"]}
{"dimension": "Atmosphere", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to photography boundaries in Bali during on a quiet weekday compared to a busy weekend. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Atmosphere.", "tags": ["Atmosphere", "etiquette", "photography boundaries", "on a quiet weekday compared to a busy weekend"]}
{"dimension": "Natural Attractions", "type": "laddering", "prompt": "Think about a specific moment in Bali during on a quiet weekday compared to a busy weekend that left you with a quiet emotional reset. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Natural Attractions (focus on quiet awe vs spectacle).", "tags": ["Natural Attractions", "quiet awe vs spectacle", "on a quiet weekday compared to a busy weekend", "laddering"]}
{"dimension": "Infrastructure", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to when to speak vs stay quiet in Bali during on a quiet weekday compared to a busy weekend. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Infrastructure.", "tags": ["Infrastructure", "etiquette", "when to speak vs stay quiet", "on a quiet weekday compared to a busy weekend"]}
{"dimension": "Value for Money", "type": "laddering", "prompt": "Think about a specific moment in Bali during early morning before the crowds that left you with a stronger respect for local rhythms. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Value for Money (focus on donations vs fees).", "tags": ["Value for Money", "donations vs fees", "early morning before the crowds", "laddering"]}
{"dimension": "Value for Money", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to how to ask questions without turning sacred life into content in Bali during in rainy season when plans change and patience matters. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Value for Money.", "tags": ["Value for Money", "etiquette", "how to ask questions without turning sacred life into content", "in rainy season when plans change and patience matters"]}
{"dimension": "Value for Money", "type": "etiquette+probe", "prompt": "Walk me through an etiquette situation related to how to ask questions without turning sacred life into content in Bali during in rainy season when plans change and patience matters. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Value for Money. What specifically made it feel respectful or not?", "tags": ["Value for Money", "etiquette", "how to ask questions without turning sacred life into content", "in rainy season when plans change and patience matters", "probe"]}
{"dimension": "Natural Attractions + Atmosphere", "type": "tradeoff", "prompt": "Under this constraint: you have one full day and want it to feel coherent and meaningful. How do you trade off sacredness versus accessibility when choosing cultural/spiritual experiences in Bali? Answer with examples touching Natural Attractions and Atmosphere.", "tags": ["Natural Attractions", "Atmosphere", "tradeoff", "time"]}
{"dimension": "Atmosphere", "type": "route_design", "prompt": "Design a mini day-route that combines waterfalls approached with a quiet, respectful mood and a dance performance where you try to read symbolism under this constraint: you have a modest budget but still want cultural depth and fairness. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Atmosphere.", "tags": ["Atmosphere", "route", "budget"]}
{"dimension": "Atmosphere", "type": "laddering", "prompt": "Think about a specific moment in Bali during in rainy season when plans change and patience matters that left you with a sense of humility. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on silence, sound, and pace).", "tags": ["Atmosphere", "silence, sound, and pace", "in rainy season when plans change and patience matters", "laddering"]}
{"dimension": "Atmosphere", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to offerings and what not to touch in Bali during in rainy season when plans change and patience matters. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Atmosphere.", "tags": ["Atmosphere", "etiquette", "offerings and what not to touch", "in rainy season when plans change and patience matters"]}
{"dimension": "Infrastructure", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to photography boundaries in Bali during solo, when you can be more contemplative. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Infrastructure.", "tags": ["Infrastructure", "etiquette", "photography boundaries", "solo, when you can be more contemplative"]}
{"dimension": "Infrastructure", "type": "route_design", "prompt": "Design a mini day-route that combines lake areas that feel calm and contemplative and a craft workshop focused on meaning and lineage, not souvenirs under this constraint: you get overwhelmed by busy places and need calmer, respectful alternatives. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Infrastructure.", "tags": ["Infrastructure", "route", "crowds"]}
{"dimension": "Natural Attractions", "type": "laddering", "prompt": "Think about a specific moment in Bali during as a repeat visitor, noticing subtler layers that left you with a stronger respect for local rhythms. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Natural Attractions (focus on quiet awe vs spectacle).", "tags": ["Natural Attractions", "quiet awe vs spectacle", "as a repeat visitor, noticing subtler layers", "laddering"]}
{"dimension": "Value for Money", "type": "contrast", "prompt": "Compare a curated tour script versus a guide who shares context and encourages respect in Bali during early morning before the crowds. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use how money is handled (transparent vs extractive) as a cue in your explanation.", "tags": ["Value for Money", "contrast", "early morning before the crowds"]}
{"dimension": "Natural Attractions", "type": "laddering", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a feeling of gratitude. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Natural Attractions (focus on access vs sacred calm).", "tags": ["Natural Attractions", "access vs sacred calm", "solo, when you can be more contemplative", "laddering"]}
{"dimension": "Natural Attractions", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a feeling of gratitude. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Natural Attractions (focus on access vs sacred calm). What did you notice first, and what happened next?", "tags": ["Natural Attractions", "access vs sacred calm", "solo, when you can be more contemplative", "laddering", "probe"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "As a culturally/spiritually motivated traveler, how do you… your experience with rice terraces that feel lived-in rather than staged in Bali during in rainy season when plans change and patience matters. From a Natural Attractions perspective, what stands out about routes that support reflection-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "routes that support reflection", "in rainy season when plans change and patience matters"]}
{"dimension": "Value for Money + Natural Attractions", "type": "tradeoff", "prompt": "Under this constraint: you avoid experiences that pressure locals to perform for tourists. How do you trade off sacredness versus accessibility when choosing cultural/spiritual experiences in Bali? Answer with examples touching Value for Money and Natural Attractions.", "tags": ["Value for Money", "Natural Attractions", "tradeoff", "ethics"]}
{"dimension": "Value for Money", "type": "laddering", "prompt": "Think about a specific moment in Bali during on a quiet weekday compared to a busy weekend that left you with a feeling of being a guest. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Value for Money (focus on donations vs fees).", "tags": ["Value for Money", "donations vs fees", "on a quiet weekday compared to a busy weekend", "laddering"]}
{"dimension": "Value for Money", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during on a quiet weekday compared to a busy weekend that left you with a feeling of being a guest. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Value for Money (focus on donations vs fees). What did you notice first, and what happened next?", "tags": ["Value for Money", "donations vs fees", "on a quiet weekday compared to a busy weekend", "laddering", "probe"]}
{"dimension": "Natural Attractions", "type": "laddering", "prompt": "Think about a specific moment in Bali during as a repeat visitor, noticing subtler layers that left you with a stronger respect for local rhythms. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Natural Attractions (focus on routes that support reflection).", "tags": ["Natural Attractions", "routes that support reflection", "as a repeat visitor, noticing subtler layers", "laddering"]}
{"dimension": "Social Environment", "type": "contrast", "prompt": "Compare a rushed checklist day versus a slower day with fewer places but deeper presence in Bali during in rainy season when plans change and patience matters. In terms of Social Environment, how do they differ for you as a respectful, culture/spirit-first traveler? Use overt commercialization around sacred spaces as a cue in your explanation.", "tags": ["Social Environment", "contrast", "in rainy season when plans change and patience matters"]}
{"dimension": "Social Environment", "type": "contrast+probe", "prompt": "Compare a rushed checklist day versus a slower day with fewer places but deeper presence in Bali during in rainy season when plans change and patience matters. In terms of Social Environment, how do they differ for you as a respectful, culture/spirit-first traveler? Use overt commercialization around sacred spaces as a cue in your explanation. What boundary would you not cross again?", "tags": ["Social Environment", "contrast", "in rainy season when plans change and patience matters", "probe"]}
{"dimension": "Infrastructure", "type": "single", "prompt": "Tell me about a time when… your experience with a craft workshop focused on meaning and lineage, not souvenirs in Bali during in rainy season when plans change and patience matters. From a Infrastructure perspective, what stands out about signage for etiquette-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Infrastructure", "signage for etiquette", "in rainy season when plans change and patience matters"]}
{"dimension": "Atmosphere", "type": "single", "prompt": "Tell me about a time when… your experience with a community space where offerings are prepared in Bali during in rainy season when plans change and patience matters. From a Atmosphere perspective, what stands out about silence, sound, and pace-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Atmosphere", "silence, sound, and pace", "in rainy season when plans change and patience matters"]}
{"dimension": "Natural Attractions", "type": "contrast", "prompt": "Compare a rushed checklist day versus a slower day with fewer places but deeper presence in Bali during during a local ceremony where you are clearly a guest. In terms of Natural Attractions, how do they differ for you as a respectful, culture/spirit-first traveler? Use performative 'authenticity' for tourists as a cue in your explanation.", "tags": ["Natural Attractions", "contrast", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Value for Money + Natural Attractions", "type": "tradeoff", "prompt": "Under this constraint: you want to avoid crowds because they dilute atmosphere and respect. How do you trade off depth of understanding versus convenience when choosing cultural/spiritual experiences in Bali? Answer with examples touching Value for Money and Natural Attractions.", "tags": ["Value for Money", "Natural Attractions", "tradeoff", "crowds"]}
{"dimension": "Atmosphere", "type": "laddering", "prompt": "Think about a specific moment in Bali during early morning before the crowds that left you with a moment of awe. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on ritual context shaping ambience).", "tags": ["Atmosphere", "ritual context shaping ambience", "early morning before the crowds", "laddering"]}
{"dimension": "Value for Money", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'roads feel unsafe, so you prioritize fewer moves and deeper presence', what should they understand about Value for Money (especially what feels worth paying for (context, respect, time))? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., a 'hidden local ritual' framed as a product?", "tags": ["Value for Money", "what feels worth paying for (context, respect, time)", "marketer", "weather"]}
{"dimension": "Infrastructure", "type": "single", "prompt": "What does 'authentic and respectful' look like to you when… your experience with a community space where offerings are prepared in Bali during during a local ceremony where you are clearly a guest. From a Infrastructure perspective, what stands out about accessibility with dignity-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Infrastructure", "accessibility with dignity", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Natural Attractions", "type": "route_design", "prompt": "Design a mini day-route that combines jungle walks where you notice offerings and small shrines and a community space where offerings are prepared under this constraint: you only have 6 hours but want depth, not a checklist. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Natural Attractions.", "tags": ["Natural Attractions", "route", "time"]}
{"dimension": "Natural Attractions", "type": "contrast", "prompt": "Compare a curated tour script versus a guide who shares context and encourages respect in Bali during solo, when you can be more contemplative. In terms of Natural Attractions, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the pace allows reflection or pushes consumption as a cue in your explanation.", "tags": ["Natural Attractions", "contrast", "solo, when you can be more contemplative"]}
{"dimension": "Natural Attractions", "type": "contrast+probe", "prompt": "Compare a curated tour script versus a guide who shares context and encourages respect in Bali during solo, when you can be more contemplative. In terms of Natural Attractions, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the pace allows reflection or pushes consumption as a cue in your explanation. What would you tell a marketer to never claim in messaging?", "tags": ["Natural Attractions", "contrast", "solo, when you can be more contemplative", "probe"]}
{"dimension": "Value for Money", "type": "single", "prompt": "Tell me about a time when… your experience with a craft workshop focused on meaning and lineage, not souvenirs in Bali during solo, when you can be more contemplative. From a Value for Money perspective, what stands out about fairness and transparency-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Value for Money", "fairness and transparency", "solo, when you can be more contemplative"]}
{"dimension": "Value for Money", "type": "single+probe", "prompt": "Tell me about a time when… your experience with a craft workshop focused on meaning and lineage, not souvenirs in Bali during solo, when you can be more contemplative. From a Value for Money perspective, what stands out about fairness and transparency-and why does it matter to you as a culture/spirit-oriented traveler? What specifically made it feel respectful or not?", "tags": ["Value for Money", "fairness and transparency", "solo, when you can be more contemplative", "probe"]}
{"dimension": "Social Environment", "type": "single", "prompt": "Walk me through… your experience with a village ceremony you observe respectfully in Bali during early morning before the crowds. From a Social Environment perspective, what stands out about tourist behavior that disrupts-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "tourist behavior that disrupts", "early morning before the crowds"]}
{"dimension": "Atmosphere", "type": "route_design", "prompt": "Design a mini day-route that combines lake areas that feel calm and contemplative and a village ceremony you observe respectfully under this constraint: you can handle crowds if etiquette and sacredness are preserved. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Atmosphere.", "tags": ["Atmosphere", "route", "crowds"]}
{"dimension": "Social Environment", "type": "contrast", "prompt": "Compare a popular temple area versus a quieter village setting in Bali during during a local ceremony where you are clearly a guest. In terms of Social Environment, how do they differ for you as a respectful, culture/spirit-first traveler? Use overt commercialization around sacred spaces as a cue in your explanation.", "tags": ["Social Environment", "contrast", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Infrastructure", "type": "single", "prompt": "If you had to advise a tourism marketer focused on respectful cultural travel… your experience with a community space where offerings are prepared in Bali during with a local guide who emphasizes respect and context. From a Infrastructure perspective, what stands out about accessibility with dignity-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Infrastructure", "accessibility with dignity", "with a local guide who emphasizes respect and context"]}
{"dimension": "Social Environment", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you want predictable costs and dislike hidden fees around sacred sites', what should they understand about Social Environment (especially tourist behavior that disrupts)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., a ceremony 'for tourists' as the main attraction?", "tags": ["Social Environment", "tourist behavior that disrupts", "marketer", "budget"]}
{"dimension": "Value for Money", "type": "laddering", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a sense of calm. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Value for Money (focus on fairness and transparency).", "tags": ["Value for Money", "fairness and transparency", "solo, when you can be more contemplative", "laddering"]}
{"dimension": "Value for Money", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a sense of calm. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Value for Money (focus on fairness and transparency). What would you tell a marketer to never claim in messaging?", "tags": ["Value for Money", "fairness and transparency", "solo, when you can be more contemplative", "laddering", "probe"]}
{"dimension": "Atmosphere", "type": "single", "prompt": "If you had to advise a tourism marketer focused on respectful cultural travel… your experience with temple courtyards and entry paths in Bali during with a local guide who emphasizes respect and context. From a Atmosphere perspective, what stands out about sacredness and emotional tone-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Atmosphere", "sacredness and emotional tone", "with a local guide who emphasizes respect and context"]}
{"dimension": "Social Environment", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you have one full day and want it to feel coherent and meaningful', what should they understand about Social Environment (especially tourist behavior that disrupts)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., permission to photograph everything?", "tags": ["Social Environment", "tourist behavior that disrupts", "marketer", "time"]}
{"dimension": "Value for Money", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to dress codes and modesty in Bali during as a repeat visitor, noticing subtler layers. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Value for Money.", "tags": ["Value for Money", "etiquette", "dress codes and modesty", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Value for Money", "type": "etiquette+probe", "prompt": "Walk me through an etiquette situation related to dress codes and modesty in Bali during as a repeat visitor, noticing subtler layers. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Value for Money. What did you notice first, and what happened next?", "tags": ["Value for Money", "etiquette", "dress codes and modesty", "as a repeat visitor, noticing subtler layers", "probe"]}
{"dimension": "Natural Attractions", "type": "laddering", "prompt": "Think about a specific moment in Bali during as a repeat visitor, noticing subtler layers that left you with a feeling of being a guest. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Natural Attractions (focus on access vs sacred calm).", "tags": ["Natural Attractions", "access vs sacred calm", "as a repeat visitor, noticing subtler layers", "laddering"]}
{"dimension": "Infrastructure", "type": "laddering", "prompt": "Think about a specific moment in Bali during as a repeat visitor, noticing subtler layers that left you with a quiet emotional reset. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on frictionless but respectful access).", "tags": ["Infrastructure", "frictionless but respectful access", "as a repeat visitor, noticing subtler layers", "laddering"]}
{"dimension": "Infrastructure", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you want your presence to feel like 'being a guest' not 'taking'', what should they understand about Infrastructure (especially toilets/rest areas without degrading atmosphere)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., access to sacred spaces without emphasizing etiquette and consent?", "tags": ["Infrastructure", "toilets/rest areas without degrading atmosphere", "marketer", "ethics"]}
{"dimension": "Social Environment + Natural Attractions", "type": "tradeoff", "prompt": "Under this constraint: you prefer not to ride a scooter and want low-friction transport options. How do you trade off photography versus presence and respect when choosing cultural/spiritual experiences in Bali? Answer with examples touching Social Environment and Natural Attractions.", "tags": ["Social Environment", "Natural Attractions", "tradeoff", "mobility"]}
{"dimension": "Atmosphere", "type": "laddering", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a shift in how you see daily life. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on crowds and reverence).", "tags": ["Atmosphere", "crowds and reverence", "solo, when you can be more contemplative", "laddering"]}
{"dimension": "Infrastructure", "type": "contrast", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during with a local guide who emphasizes respect and context. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use overt commercialization around sacred spaces as a cue in your explanation.", "tags": ["Infrastructure", "contrast", "with a local guide who emphasizes respect and context"]}
{"dimension": "Infrastructure", "type": "contrast+probe", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during with a local guide who emphasizes respect and context. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use overt commercialization around sacred spaces as a cue in your explanation. What would you tell a marketer to never claim in messaging?", "tags": ["Infrastructure", "contrast", "with a local guide who emphasizes respect and context", "probe"]}
{"dimension": "Value for Money", "type": "single", "prompt": "If you had to advise a tourism marketer focused on respectful cultural travel… your experience with a quiet heritage walk where stories feel layered in Bali during during a local ceremony where you are clearly a guest. From a Value for Money perspective, what stands out about fairness and transparency-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Value for Money", "fairness and transparency", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Value for Money", "type": "single+probe", "prompt": "If you had to advise a tourism marketer focused on respectful cultural travel… your experience with a quiet heritage walk where stories feel layered in Bali during during a local ceremony where you are clearly a guest. From a Value for Money perspective, what stands out about fairness and transparency-and why does it matter to you as a culture/spirit-oriented traveler? What did you notice first, and what happened next?", "tags": ["Value for Money", "fairness and transparency", "during a local ceremony where you are clearly a guest", "probe"]}
{"dimension": "Value for Money + Natural Attractions", "type": "tradeoff", "prompt": "Under this constraint: you need frequent rest and prefer fewer transitions. How do you trade off depth of understanding versus convenience when choosing cultural/spiritual experiences in Bali? Answer with examples touching Value for Money and Natural Attractions.", "tags": ["Value for Money", "Natural Attractions", "tradeoff", "mobility"]}
{"dimension": "Social Environment", "type": "contrast", "prompt": "Compare a crowded ceremony-adjacent spot versus a calm everyday ritual moment in Bali during early morning before the crowds. In terms of Social Environment, how do they differ for you as a respectful, culture/spirit-first traveler? Use how people behave when no one is watching as a cue in your explanation.", "tags": ["Social Environment", "contrast", "early morning before the crowds"]}
{"dimension": "Infrastructure", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to how to move through a temple without intruding in Bali during solo, when you can be more contemplative. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Infrastructure.", "tags": ["Infrastructure", "etiquette", "how to move through a temple without intruding", "solo, when you can be more contemplative"]}
{"dimension": "Infrastructure", "type": "etiquette+probe", "prompt": "Walk me through an etiquette situation related to how to move through a temple without intruding in Bali during solo, when you can be more contemplative. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Infrastructure. What did you notice first, and what happened next?", "tags": ["Infrastructure", "etiquette", "how to move through a temple without intruding", "solo, when you can be more contemplative", "probe"]}
{"dimension": "Social Environment", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you want a balance: one iconic site, mostly quieter, community-rooted places', what should they understand about Social Environment (especially tourist behavior that disrupts)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., guaranteed 'authentic spirituality' on demand?", "tags": ["Social Environment", "tourist behavior that disrupts", "marketer", "crowds"]}
{"dimension": "Social Environment + Natural Attractions", "type": "tradeoff", "prompt": "Under this constraint: you want predictable costs and dislike hidden fees around sacred sites. How do you trade off depth of understanding versus convenience when choosing cultural/spiritual experiences in Bali? Answer with examples touching Social Environment and Natural Attractions.", "tags": ["Social Environment", "Natural Attractions", "tradeoff", "budget"]}
{"dimension": "Social Environment + Natural Attractions", "type": "tradeoff+probe", "prompt": "Under this constraint: you want predictable costs and dislike hidden fees around sacred sites. How do you trade off depth of understanding versus convenience when choosing cultural/spiritual experiences in Bali? Answer with examples touching Social Environment and Natural Attractions. What would have improved it without turning it into a spectacle?", "tags": ["Social Environment", "Natural Attractions", "tradeoff", "budget", "probe"]}
{"dimension": "Social Environment + Natural Attractions", "type": "tradeoff", "prompt": "Under this constraint: you want to avoid commodifying sacred life. How do you trade off slow pace versus variety of stops when choosing cultural/spiritual experiences in Bali? Answer with examples touching Social Environment and Natural Attractions.", "tags": ["Social Environment", "Natural Attractions", "tradeoff", "ethics"]}
{"dimension": "Atmosphere", "type": "single", "prompt": "How do you personally decide whether to join, observe, or step back when… your experience with a craft workshop focused on meaning and lineage, not souvenirs in Bali during with a local guide who emphasizes respect and context. From a Atmosphere perspective, what stands out about ritual context shaping ambience-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Atmosphere", "ritual context shaping ambience", "with a local guide who emphasizes respect and context"]}
{"dimension": "Social Environment + Infrastructure", "type": "tradeoff", "prompt": "Under this constraint: you only have 6 hours but want depth, not a checklist. How do you trade off depth of understanding versus convenience when choosing cultural/spiritual experiences in Bali? Answer with examples touching Social Environment and Infrastructure.", "tags": ["Social Environment", "Infrastructure", "tradeoff", "time"]}
{"dimension": "Social Environment + Infrastructure", "type": "tradeoff+probe", "prompt": "Under this constraint: you only have 6 hours but want depth, not a checklist. How do you trade off depth of understanding versus convenience when choosing cultural/spiritual experiences in Bali? Answer with examples touching Social Environment and Infrastructure. How did it change your mood or sense of meaning that day?", "tags": ["Social Environment", "Infrastructure", "tradeoff", "time", "probe"]}
{"dimension": "Infrastructure", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to photography boundaries in Bali during during a local ceremony where you are clearly a guest. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Infrastructure.", "tags": ["Infrastructure", "etiquette", "photography boundaries", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Infrastructure", "type": "etiquette+probe", "prompt": "Walk me through an etiquette situation related to photography boundaries in Bali during during a local ceremony where you are clearly a guest. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Infrastructure. What did you notice first, and what happened next?", "tags": ["Infrastructure", "etiquette", "photography boundaries", "during a local ceremony where you are clearly a guest", "probe"]}
{"dimension": "Atmosphere", "type": "laddering", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a moment of awe. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on crowds and reverence).", "tags": ["Atmosphere", "crowds and reverence", "solo, when you can be more contemplative", "laddering"]}
{"dimension": "Social Environment", "type": "single", "prompt": "What does 'authentic and respectful' look like to you when… your experience with a craft workshop focused on meaning and lineage, not souvenirs in Bali during late afternoon when light softens and things slow down. From a Social Environment perspective, what stands out about learning without extracting-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "learning without extracting", "late afternoon when light softens and things slow down"]}
{"dimension": "Natural Attractions + Value for Money", "type": "tradeoff", "prompt": "Under this constraint: you want to avoid crowds because they dilute atmosphere and respect. How do you trade off slow pace versus variety of stops when choosing cultural/spiritual experiences in Bali? Answer with examples touching Natural Attractions and Value for Money.", "tags": ["Natural Attractions", "Value for Money", "tradeoff", "crowds"]}
{"dimension": "Natural Attractions + Value for Money", "type": "tradeoff+probe", "prompt": "Under this constraint: you want to avoid crowds because they dilute atmosphere and respect. How do you trade off slow pace versus variety of stops when choosing cultural/spiritual experiences in Bali? Answer with examples touching Natural Attractions and Value for Money. What boundary would you not cross again?", "tags": ["Natural Attractions", "Value for Money", "tradeoff", "crowds", "probe"]}
{"dimension": "Value for Money", "type": "single", "prompt": "If you had to advise a tourism marketer focused on respectful cultural travel… your experience with a community space where offerings are prepared in Bali during during a local ceremony where you are clearly a guest. From a Value for Money perspective, what stands out about avoiding extractive 'spiritual packages'-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Value for Money", "avoiding extractive 'spiritual packages'", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Infrastructure", "type": "laddering", "prompt": "Think about a specific moment in Bali during late afternoon when light softens and things slow down that left you with a moment of awe. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on visitor flow that protects sacred spaces).", "tags": ["Infrastructure", "visitor flow that protects sacred spaces", "late afternoon when light softens and things slow down", "laddering"]}
{"dimension": "Value for Money", "type": "contrast", "prompt": "Compare a crowded ceremony-adjacent spot versus a calm everyday ritual moment in Bali during late afternoon when light softens and things slow down. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the experience is integrated into local life as a cue in your explanation.", "tags": ["Value for Money", "contrast", "late afternoon when light softens and things slow down"]}
{"dimension": "Value for Money", "type": "contrast+probe", "prompt": "Compare a crowded ceremony-adjacent spot versus a calm everyday ritual moment in Bali during late afternoon when light softens and things slow down. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the experience is integrated into local life as a cue in your explanation. What did you notice first, and what happened next?", "tags": ["Value for Money", "contrast", "late afternoon when light softens and things slow down", "probe"]}
{"dimension": "Infrastructure", "type": "laddering", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a feeling of gratitude. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on toilets/rest areas without degrading atmosphere).", "tags": ["Infrastructure", "toilets/rest areas without degrading atmosphere", "solo, when you can be more contemplative", "laddering"]}
{"dimension": "Atmosphere", "type": "laddering", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a feeling of gratitude. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on commercialization pressure).", "tags": ["Atmosphere", "commercialization pressure", "solo, when you can be more contemplative", "laddering"]}
{"dimension": "Infrastructure", "type": "single", "prompt": "Walk me through… your experience with a community space where offerings are prepared in Bali during during a local ceremony where you are clearly a guest. From a Infrastructure perspective, what stands out about transparent ticketing/donations-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Infrastructure", "transparent ticketing/donations", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Infrastructure", "type": "single+probe", "prompt": "Walk me through… your experience with a community space where offerings are prepared in Bali during during a local ceremony where you are clearly a guest. From a Infrastructure perspective, what stands out about transparent ticketing/donations-and why does it matter to you as a culture/spirit-oriented traveler? What would have improved it without turning it into a spectacle?", "tags": ["Infrastructure", "transparent ticketing/donations", "during a local ceremony where you are clearly a guest", "probe"]}
{"dimension": "Value for Money", "type": "laddering", "prompt": "Think about a specific moment in Bali during during a local ceremony where you are clearly a guest that left you with a feeling of gratitude. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Value for Money (focus on donations vs fees).", "tags": ["Value for Money", "donations vs fees", "during a local ceremony where you are clearly a guest", "laddering"]}
{"dimension": "Value for Money", "type": "contrast", "prompt": "Compare a curated tour script versus a guide who shares context and encourages respect in Bali during as a repeat visitor, noticing subtler layers. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the pace allows reflection or pushes consumption as a cue in your explanation.", "tags": ["Value for Money", "contrast", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Value for Money", "type": "contrast+probe", "prompt": "Compare a curated tour script versus a guide who shares context and encourages respect in Bali during as a repeat visitor, noticing subtler layers. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the pace allows reflection or pushes consumption as a cue in your explanation. What would have improved it without turning it into a spectacle?", "tags": ["Value for Money", "contrast", "as a repeat visitor, noticing subtler layers", "probe"]}
{"dimension": "Social Environment", "type": "laddering", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a moment of awe. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Social Environment (focus on guide trust and cultural context).", "tags": ["Social Environment", "guide trust and cultural context", "solo, when you can be more contemplative", "laddering"]}
{"dimension": "Social Environment", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a moment of awe. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Social Environment (focus on guide trust and cultural context). What boundary would you not cross again?", "tags": ["Social Environment", "guide trust and cultural context", "solo, when you can be more contemplative", "laddering", "probe"]}
{"dimension": "Infrastructure", "type": "route_design", "prompt": "Design a mini day-route that combines volcano viewpoints that invite reflection at dawn and a community space where offerings are prepared under this constraint: you prefer smaller, community-rooted experiences over pricey packages. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Infrastructure.", "tags": ["Infrastructure", "route", "budget"]}
{"dimension": "Social Environment", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'visibility is low and your sunrise plan may fail-how do you adapt meaningfully?', what should they understand about Social Environment (especially respectful interaction with locals)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., a 'hidden local ritual' framed as a product?", "tags": ["Social Environment", "respectful interaction with locals", "marketer", "weather"]}
{"dimension": "Natural Attractions", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you want to avoid crowds because they dilute atmosphere and respect', what should they understand about Natural Attractions (especially access vs sacred calm)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., a 'hidden local ritual' framed as a product?", "tags": ["Natural Attractions", "access vs sacred calm", "marketer", "crowds"]}
{"dimension": "Value for Money + Infrastructure", "type": "tradeoff", "prompt": "Under this constraint: you can handle crowds if etiquette and sacredness are preserved. How do you trade off sacredness versus accessibility when choosing cultural/spiritual experiences in Bali? Answer with examples touching Value for Money and Infrastructure.", "tags": ["Value for Money", "Infrastructure", "tradeoff", "crowds"]}
{"dimension": "Natural Attractions", "type": "contrast", "prompt": "Compare a crowded ceremony-adjacent spot versus a calm everyday ritual moment in Bali during solo, when you can be more contemplative. In terms of Natural Attractions, how do they differ for you as a respectful, culture/spirit-first traveler? Use feeling like sacredness is being packaged as a cue in your explanation.", "tags": ["Natural Attractions", "contrast", "solo, when you can be more contemplative"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "Tell me about a time when… your experience with coastal paths that feel like a moving meditation in Bali during in rainy season when plans change and patience matters. From a Natural Attractions perspective, what stands out about sense of place and meaning-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "sense of place and meaning", "in rainy season when plans change and patience matters"]}
{"dimension": "Social Environment", "type": "single", "prompt": "What does 'authentic and respectful' look like to you when… your experience with a quiet heritage walk where stories feel layered in Bali during solo, when you can be more contemplative. From a Social Environment perspective, what stands out about tourist behavior that disrupts-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "tourist behavior that disrupts", "solo, when you can be more contemplative"]}
{"dimension": "Social Environment", "type": "single+probe", "prompt": "What does 'authentic and respectful' look like to you when… your experience with a quiet heritage walk where stories feel layered in Bali during solo, when you can be more contemplative. From a Social Environment perspective, what stands out about tourist behavior that disrupts-and why does it matter to you as a culture/spirit-oriented traveler? What did you notice first, and what happened next?", "tags": ["Social Environment", "tourist behavior that disrupts", "solo, when you can be more contemplative", "probe"]}
{"dimension": "Social Environment", "type": "contrast", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during in rainy season when plans change and patience matters. In terms of Social Environment, how do they differ for you as a respectful, culture/spirit-first traveler? Use feeling like sacredness is being packaged as a cue in your explanation.", "tags": ["Social Environment", "contrast", "in rainy season when plans change and patience matters"]}
{"dimension": "Social Environment", "type": "contrast+probe", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during in rainy season when plans change and patience matters. In terms of Social Environment, how do they differ for you as a respectful, culture/spirit-first traveler? Use feeling like sacredness is being packaged as a cue in your explanation. What specifically made it feel respectful or not?", "tags": ["Social Environment", "contrast", "in rainy season when plans change and patience matters", "probe"]}
{"dimension": "Atmosphere", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you only have 6 hours but want depth, not a checklist', what should they understand about Atmosphere (especially silence, sound, and pace)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., a ceremony 'for tourists' as the main attraction?", "tags": ["Atmosphere", "silence, sound, and pace", "marketer", "time"]}
{"dimension": "Atmosphere", "type": "marketer_advice+probe", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you only have 6 hours but want depth, not a checklist', what should they understand about Atmosphere (especially silence, sound, and pace)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., a ceremony 'for tourists' as the main attraction? How did it change your mood or sense of meaning that day?", "tags": ["Atmosphere", "silence, sound, and pace", "marketer", "time", "probe"]}
{"dimension": "Social Environment", "type": "contrast", "prompt": "Compare a market aisle focused on souvenirs versus a market moment that shows daily offerings and rhythm in Bali during in rainy season when plans change and patience matters. In terms of Social Environment, how do they differ for you as a respectful, culture/spirit-first traveler? Use performative 'authenticity' for tourists as a cue in your explanation.", "tags": ["Social Environment", "contrast", "in rainy season when plans change and patience matters"]}
{"dimension": "Social Environment", "type": "contrast+probe", "prompt": "Compare a market aisle focused on souvenirs versus a market moment that shows daily offerings and rhythm in Bali during in rainy season when plans change and patience matters. In terms of Social Environment, how do they differ for you as a respectful, culture/spirit-first traveler? Use performative 'authenticity' for tourists as a cue in your explanation. How did it change your mood or sense of meaning that day?", "tags": ["Social Environment", "contrast", "in rainy season when plans change and patience matters", "probe"]}
{"dimension": "Infrastructure + Atmosphere", "type": "tradeoff", "prompt": "Under this constraint: you want to avoid crowds because they dilute atmosphere and respect. How do you trade off guided cultural context versus self-guided freedom when choosing cultural/spiritual experiences in Bali? Answer with examples touching Infrastructure and Atmosphere.", "tags": ["Infrastructure", "Atmosphere", "tradeoff", "crowds"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "Walk me through… your experience with lake areas that feel calm and contemplative in Bali during with a local guide who emphasizes respect and context. From a Natural Attractions perspective, what stands out about respectful behavior in nature-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "respectful behavior in nature", "with a local guide who emphasizes respect and context"]}
{"dimension": "Value for Money", "type": "contrast", "prompt": "Compare a market aisle focused on souvenirs versus a market moment that shows daily offerings and rhythm in Bali during solo, when you can be more contemplative. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use crowds that change the emotional tone as a cue in your explanation.", "tags": ["Value for Money", "contrast", "solo, when you can be more contemplative"]}
{"dimension": "Value for Money", "type": "contrast+probe", "prompt": "Compare a market aisle focused on souvenirs versus a market moment that shows daily offerings and rhythm in Bali during solo, when you can be more contemplative. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use crowds that change the emotional tone as a cue in your explanation. What did you notice first, and what happened next?", "tags": ["Value for Money", "contrast", "solo, when you can be more contemplative", "probe"]}
{"dimension": "Atmosphere", "type": "laddering", "prompt": "Think about a specific moment in Bali during late afternoon when light softens and things slow down that left you with a feeling of being a guest. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on authenticity cues).", "tags": ["Atmosphere", "authenticity cues", "late afternoon when light softens and things slow down", "laddering"]}
{"dimension": "Infrastructure + Value for Money", "type": "tradeoff", "prompt": "Under this constraint: you avoid experiences that pressure locals to perform for tourists. How do you trade off sacredness versus accessibility when choosing cultural/spiritual experiences in Bali? Answer with examples touching Infrastructure and Value for Money.", "tags": ["Infrastructure", "Value for Money", "tradeoff", "ethics"]}
{"dimension": "Infrastructure + Value for Money", "type": "tradeoff+probe", "prompt": "Under this constraint: you avoid experiences that pressure locals to perform for tourists. How do you trade off sacredness versus accessibility when choosing cultural/spiritual experiences in Bali? Answer with examples touching Infrastructure and Value for Money. What would have improved it without turning it into a spectacle?", "tags": ["Infrastructure", "Value for Money", "tradeoff", "ethics", "probe"]}
{"dimension": "Natural Attractions + Infrastructure", "type": "tradeoff", "prompt": "Under this constraint: you avoid steep stairs but still want meaningful cultural/spiritual moments. How do you trade off sacredness versus accessibility when choosing cultural/spiritual experiences in Bali? Answer with examples touching Natural Attractions and Infrastructure.", "tags": ["Natural Attractions", "Infrastructure", "tradeoff", "mobility"]}
{"dimension": "Natural Attractions + Infrastructure", "type": "tradeoff+probe", "prompt": "Under this constraint: you avoid steep stairs but still want meaningful cultural/spiritual moments. How do you trade off sacredness versus accessibility when choosing cultural/spiritual experiences in Bali? Answer with examples touching Natural Attractions and Infrastructure. What specifically made it feel respectful or not?", "tags": ["Natural Attractions", "Infrastructure", "tradeoff", "mobility", "probe"]}
{"dimension": "Natural Attractions + Value for Money", "type": "tradeoff", "prompt": "Under this constraint: roads feel unsafe, so you prioritize fewer moves and deeper presence. How do you trade off community benefit versus personal comfort when choosing cultural/spiritual experiences in Bali? Answer with examples touching Natural Attractions and Value for Money.", "tags": ["Natural Attractions", "Value for Money", "tradeoff", "weather"]}
{"dimension": "Natural Attractions + Value for Money", "type": "tradeoff+probe", "prompt": "Under this constraint: roads feel unsafe, so you prioritize fewer moves and deeper presence. How do you trade off community benefit versus personal comfort when choosing cultural/spiritual experiences in Bali? Answer with examples touching Natural Attractions and Value for Money. What would you tell a marketer to never claim in messaging?", "tags": ["Natural Attractions", "Value for Money", "tradeoff", "weather", "probe"]}
{"dimension": "Atmosphere", "type": "laddering", "prompt": "Think about a specific moment in Bali during during a local ceremony where you are clearly a guest that left you with a moment of awe. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on crowds and reverence).", "tags": ["Atmosphere", "crowds and reverence", "during a local ceremony where you are clearly a guest", "laddering"]}
{"dimension": "Atmosphere", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during during a local ceremony where you are clearly a guest that left you with a moment of awe. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on crowds and reverence). What would have improved it without turning it into a spectacle?", "tags": ["Atmosphere", "crowds and reverence", "during a local ceremony where you are clearly a guest", "laddering", "probe"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "Tell me about a time when… your experience with rice terraces that feel lived-in rather than staged in Bali during with a local guide who emphasizes respect and context. From a Natural Attractions perspective, what stands out about respectful behavior in nature-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "respectful behavior in nature", "with a local guide who emphasizes respect and context"]}
{"dimension": "Social Environment", "type": "laddering", "prompt": "Think about a specific moment in Bali during as a repeat visitor, noticing subtler layers that left you with a stronger respect for local rhythms. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Social Environment (focus on tourist behavior that disrupts).", "tags": ["Social Environment", "tourist behavior that disrupts", "as a repeat visitor, noticing subtler layers", "laddering"]}
{"dimension": "Social Environment", "type": "single", "prompt": "What surprised you about the spiritual or cultural texture of… your experience with a quiet heritage walk where stories feel layered in Bali during early morning before the crowds. From a Social Environment perspective, what stands out about being a guest and practicing humility-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "being a guest and practicing humility", "early morning before the crowds"]}
{"dimension": "Social Environment", "type": "single+probe", "prompt": "What surprised you about the spiritual or cultural texture of… your experience with a quiet heritage walk where stories feel layered in Bali during early morning before the crowds. From a Social Environment perspective, what stands out about being a guest and practicing humility-and why does it matter to you as a culture/spirit-oriented traveler? How did it change your mood or sense of meaning that day?", "tags": ["Social Environment", "being a guest and practicing humility", "early morning before the crowds", "probe"]}
{"dimension": "Infrastructure", "type": "contrast", "prompt": "Compare a popular temple area versus a quieter village setting in Bali during as a repeat visitor, noticing subtler layers. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the experience is integrated into local life as a cue in your explanation.", "tags": ["Infrastructure", "contrast", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Infrastructure", "type": "contrast+probe", "prompt": "Compare a popular temple area versus a quieter village setting in Bali during as a repeat visitor, noticing subtler layers. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the experience is integrated into local life as a cue in your explanation. What boundary would you not cross again?", "tags": ["Infrastructure", "contrast", "as a repeat visitor, noticing subtler layers", "probe"]}
{"dimension": "Infrastructure", "type": "contrast", "prompt": "Compare a market aisle focused on souvenirs versus a market moment that shows daily offerings and rhythm in Bali during early morning before the crowds. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the experience is integrated into local life as a cue in your explanation.", "tags": ["Infrastructure", "contrast", "early morning before the crowds"]}
{"dimension": "Atmosphere", "type": "laddering", "prompt": "Think about a specific moment in Bali during in rainy season when plans change and patience matters that left you with a feeling of gratitude. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on ritual context shaping ambience).", "tags": ["Atmosphere", "ritual context shaping ambience", "in rainy season when plans change and patience matters", "laddering"]}
{"dimension": "Value for Money", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you avoid experiences that pressure locals to perform for tourists', what should they understand about Value for Money (especially fairness and transparency)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., permission to photograph everything?", "tags": ["Value for Money", "fairness and transparency", "marketer", "ethics"]}
{"dimension": "Infrastructure", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you'll pay more if it supports local communities transparently', what should they understand about Infrastructure (especially visitor flow that protects sacred spaces)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., permission to photograph everything?", "tags": ["Infrastructure", "visitor flow that protects sacred spaces", "marketer", "budget"]}
{"dimension": "Natural Attractions", "type": "route_design", "prompt": "Design a mini day-route that combines hot springs experienced as restoration rather than spectacle and a community space where offerings are prepared under this constraint: it's rainy season and flexibility is part of respectful travel. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Natural Attractions.", "tags": ["Natural Attractions", "route", "weather"]}
{"dimension": "Natural Attractions", "type": "route_design+probe", "prompt": "Design a mini day-route that combines hot springs experienced as restoration rather than spectacle and a community space where offerings are prepared under this constraint: it's rainy season and flexibility is part of respectful travel. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Natural Attractions. What did you notice first, and what happened next?", "tags": ["Natural Attractions", "route", "weather", "probe"]}
{"dimension": "Natural Attractions", "type": "contrast", "prompt": "Compare a rushed checklist day versus a slower day with fewer places but deeper presence in Bali during with a local guide who emphasizes respect and context. In terms of Natural Attractions, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the pace allows reflection or pushes consumption as a cue in your explanation.", "tags": ["Natural Attractions", "contrast", "with a local guide who emphasizes respect and context"]}
{"dimension": "Atmosphere", "type": "contrast", "prompt": "Compare a crowded ceremony-adjacent spot versus a calm everyday ritual moment in Bali during late afternoon when light softens and things slow down. In terms of Atmosphere, how do they differ for you as a respectful, culture/spirit-first traveler? Use overt commercialization around sacred spaces as a cue in your explanation.", "tags": ["Atmosphere", "contrast", "late afternoon when light softens and things slow down"]}
{"dimension": "Social Environment + Value for Money", "type": "tradeoff", "prompt": "Under this constraint: you want to avoid commodifying sacred life. How do you trade off predictable pricing versus spontaneous discovery when choosing cultural/spiritual experiences in Bali? Answer with examples touching Social Environment and Value for Money.", "tags": ["Social Environment", "Value for Money", "tradeoff", "ethics"]}
{"dimension": "Atmosphere", "type": "laddering", "prompt": "Think about a specific moment in Bali during in rainy season when plans change and patience matters that left you with a sense of calm. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on crowds and reverence).", "tags": ["Atmosphere", "crowds and reverence", "in rainy season when plans change and patience matters", "laddering"]}
{"dimension": "Atmosphere", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during in rainy season when plans change and patience matters that left you with a sense of calm. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on crowds and reverence). What boundary would you not cross again?", "tags": ["Atmosphere", "crowds and reverence", "in rainy season when plans change and patience matters", "laddering", "probe"]}
{"dimension": "Social Environment", "type": "single", "prompt": "What surprised you about the spiritual or cultural texture of… your experience with a quiet heritage walk where stories feel layered in Bali during as a repeat visitor, noticing subtler layers. From a Social Environment perspective, what stands out about consent and boundaries-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "consent and boundaries", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Social Environment", "type": "contrast", "prompt": "Compare a market aisle focused on souvenirs versus a market moment that shows daily offerings and rhythm in Bali during late afternoon when light softens and things slow down. In terms of Social Environment, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether rules feel protective or performative as a cue in your explanation.", "tags": ["Social Environment", "contrast", "late afternoon when light softens and things slow down"]}
{"dimension": "Value for Money + Social Environment", "type": "tradeoff", "prompt": "Under this constraint: you want to avoid crowds because they dilute atmosphere and respect. How do you trade off sacredness versus accessibility when choosing cultural/spiritual experiences in Bali? Answer with examples touching Value for Money and Social Environment.", "tags": ["Value for Money", "Social Environment", "tradeoff", "crowds"]}
{"dimension": "Infrastructure + Atmosphere", "type": "tradeoff", "prompt": "Under this constraint: you avoid experiences that pressure locals to perform for tourists. How do you trade off community benefit versus personal comfort when choosing cultural/spiritual experiences in Bali? Answer with examples touching Infrastructure and Atmosphere.", "tags": ["Infrastructure", "Atmosphere", "tradeoff", "ethics"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "Tell me about a time when… your experience with waterfalls approached with a quiet, respectful mood in Bali during early morning before the crowds. From a Natural Attractions perspective, what stands out about access vs sacred calm-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "access vs sacred calm", "early morning before the crowds"]}
{"dimension": "Natural Attractions", "type": "single+probe", "prompt": "Tell me about a time when… your experience with waterfalls approached with a quiet, respectful mood in Bali during early morning before the crowds. From a Natural Attractions perspective, what stands out about access vs sacred calm-and why does it matter to you as a culture/spirit-oriented traveler? What would you tell a marketer to never claim in messaging?", "tags": ["Natural Attractions", "access vs sacred calm", "early morning before the crowds", "probe"]}
{"dimension": "Social Environment", "type": "route_design", "prompt": "Design a mini day-route that combines jungle walks where you notice offerings and small shrines and a community space where offerings are prepared under this constraint: you want to avoid crowds because they dilute atmosphere and respect. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Social Environment.", "tags": ["Social Environment", "route", "crowds"]}
{"dimension": "Social Environment", "type": "route_design+probe", "prompt": "Design a mini day-route that combines jungle walks where you notice offerings and small shrines and a community space where offerings are prepared under this constraint: you want to avoid crowds because they dilute atmosphere and respect. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Social Environment. What specifically made it feel respectful or not?", "tags": ["Social Environment", "route", "crowds", "probe"]}
{"dimension": "Atmosphere", "type": "laddering", "prompt": "Think about a specific moment in Bali during late afternoon when light softens and things slow down that left you with a sense of calm. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on authenticity cues).", "tags": ["Atmosphere", "authenticity cues", "late afternoon when light softens and things slow down", "laddering"]}
{"dimension": "Atmosphere", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during late afternoon when light softens and things slow down that left you with a sense of calm. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on authenticity cues). What did you notice first, and what happened next?", "tags": ["Atmosphere", "authenticity cues", "late afternoon when light softens and things slow down", "laddering", "probe"]}
{"dimension": "Infrastructure + Atmosphere", "type": "tradeoff", "prompt": "Under this constraint: you avoid steep stairs but still want meaningful cultural/spiritual moments. How do you trade off slow pace versus variety of stops when choosing cultural/spiritual experiences in Bali? Answer with examples touching Infrastructure and Atmosphere.", "tags": ["Infrastructure", "Atmosphere", "tradeoff", "mobility"]}
{"dimension": "Atmosphere", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you need frequent rest and prefer fewer transitions', what should they understand about Atmosphere (especially authenticity cues)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., guaranteed 'authentic spirituality' on demand?", "tags": ["Atmosphere", "authenticity cues", "marketer", "mobility"]}
{"dimension": "Natural Attractions", "type": "laddering", "prompt": "Think about a specific moment in Bali during late afternoon when light softens and things slow down that left you with a shift in how you see daily life. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Natural Attractions (focus on quiet awe vs spectacle).", "tags": ["Natural Attractions", "quiet awe vs spectacle", "late afternoon when light softens and things slow down", "laddering"]}
{"dimension": "Natural Attractions", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during late afternoon when light softens and things slow down that left you with a shift in how you see daily life. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Natural Attractions (focus on quiet awe vs spectacle). What did you notice first, and what happened next?", "tags": ["Natural Attractions", "quiet awe vs spectacle", "late afternoon when light softens and things slow down", "laddering", "probe"]}
{"dimension": "Infrastructure", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you want minimal walking but still want authenticity and atmosphere', what should they understand about Infrastructure (especially visitor flow that protects sacred spaces)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., guaranteed 'authentic spirituality' on demand?", "tags": ["Infrastructure", "visitor flow that protects sacred spaces", "marketer", "mobility"]}
{"dimension": "Value for Money + Social Environment", "type": "tradeoff", "prompt": "Under this constraint: you prefer not to ride a scooter and want low-friction transport options. How do you trade off depth of understanding versus convenience when choosing cultural/spiritual experiences in Bali? Answer with examples touching Value for Money and Social Environment.", "tags": ["Value for Money", "Social Environment", "tradeoff", "mobility"]}
{"dimension": "Value for Money + Natural Attractions", "type": "tradeoff", "prompt": "Under this constraint: you prefer smaller, community-rooted experiences over pricey packages. How do you trade off depth of understanding versus convenience when choosing cultural/spiritual experiences in Bali? Answer with examples touching Value for Money and Natural Attractions.", "tags": ["Value for Money", "Natural Attractions", "tradeoff", "budget"]}
{"dimension": "Infrastructure", "type": "laddering", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a moment of awe. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on frictionless but respectful access).", "tags": ["Infrastructure", "frictionless but respectful access", "solo, when you can be more contemplative", "laddering"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "Tell me about a time when… your experience with rice terraces that feel lived-in rather than staged in Bali during late afternoon when light softens and things slow down. From a Natural Attractions perspective, what stands out about sense of place and meaning-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "sense of place and meaning", "late afternoon when light softens and things slow down"]}
{"dimension": "Natural Attractions", "type": "single+probe", "prompt": "Tell me about a time when… your experience with rice terraces that feel lived-in rather than staged in Bali during late afternoon when light softens and things slow down. From a Natural Attractions perspective, what stands out about sense of place and meaning-and why does it matter to you as a culture/spirit-oriented traveler? What would have improved it without turning it into a spectacle?", "tags": ["Natural Attractions", "sense of place and meaning", "late afternoon when light softens and things slow down", "probe"]}
{"dimension": "Value for Money", "type": "single", "prompt": "As a culturally/spiritually motivated traveler, how do you… your experience with a dance performance where you try to read symbolism in Bali during solo, when you can be more contemplative. From a Value for Money perspective, what stands out about community benefit-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Value for Money", "community benefit", "solo, when you can be more contemplative"]}
{"dimension": "Value for Money", "type": "contrast", "prompt": "Compare a curated tour script versus a guide who shares context and encourages respect in Bali during on a quiet weekday compared to a busy weekend. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use how money is handled (transparent vs extractive) as a cue in your explanation.", "tags": ["Value for Money", "contrast", "on a quiet weekday compared to a busy weekend"]}
{"dimension": "Natural Attractions + Social Environment", "type": "tradeoff", "prompt": "Under this constraint: you want your presence to feel like 'being a guest' not 'taking'. How do you trade off depth of understanding versus convenience when choosing cultural/spiritual experiences in Bali? Answer with examples touching Natural Attractions and Social Environment.", "tags": ["Natural Attractions", "Social Environment", "tradeoff", "ethics"]}
{"dimension": "Natural Attractions + Social Environment", "type": "tradeoff+probe", "prompt": "Under this constraint: you want your presence to feel like 'being a guest' not 'taking'. How do you trade off depth of understanding versus convenience when choosing cultural/spiritual experiences in Bali? Answer with examples touching Natural Attractions and Social Environment. What would have improved it without turning it into a spectacle?", "tags": ["Natural Attractions", "Social Environment", "tradeoff", "ethics", "probe"]}
{"dimension": "Social Environment", "type": "single", "prompt": "If you had to advise a tourism marketer focused on respectful cultural travel… your experience with a traditional market where everyday ritual shows up in small ways in Bali during early morning before the crowds. From a Social Environment perspective, what stands out about being a guest and practicing humility-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "being a guest and practicing humility", "early morning before the crowds"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "Tell me about a time when… your experience with jungle walks where you notice offerings and small shrines in Bali during during a local ceremony where you are clearly a guest. From a Natural Attractions perspective, what stands out about access vs sacred calm-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "access vs sacred calm", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Natural Attractions", "type": "single+probe", "prompt": "Tell me about a time when… your experience with jungle walks where you notice offerings and small shrines in Bali during during a local ceremony where you are clearly a guest. From a Natural Attractions perspective, what stands out about access vs sacred calm-and why does it matter to you as a culture/spirit-oriented traveler? How did it change your mood or sense of meaning that day?", "tags": ["Natural Attractions", "access vs sacred calm", "during a local ceremony where you are clearly a guest", "probe"]}
{"dimension": "Value for Money", "type": "contrast", "prompt": "Compare a crowded ceremony-adjacent spot versus a calm everyday ritual moment in Bali during early morning before the crowds. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the experience is integrated into local life as a cue in your explanation.", "tags": ["Value for Money", "contrast", "early morning before the crowds"]}
{"dimension": "Natural Attractions", "type": "laddering", "prompt": "Think about a specific moment in Bali during early morning before the crowds that left you with a sense of calm. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Natural Attractions (focus on respectful behavior in nature).", "tags": ["Natural Attractions", "respectful behavior in nature", "early morning before the crowds", "laddering"]}
{"dimension": "Value for Money", "type": "single", "prompt": "What does 'authentic and respectful' look like to you when… your experience with a village ceremony you observe respectfully in Bali during late afternoon when light softens and things slow down. From a Value for Money perspective, what stands out about community benefit-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Value for Money", "community benefit", "late afternoon when light softens and things slow down"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "Tell me about a time when… your experience with volcano viewpoints that invite reflection at dawn in Bali during as a repeat visitor, noticing subtler layers. From a Natural Attractions perspective, what stands out about quiet awe vs spectacle-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "quiet awe vs spectacle", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Atmosphere", "type": "laddering", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a quiet emotional reset. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on sacredness and emotional tone).", "tags": ["Atmosphere", "sacredness and emotional tone", "solo, when you can be more contemplative", "laddering"]}
{"dimension": "Atmosphere", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a quiet emotional reset. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on sacredness and emotional tone). What specifically made it feel respectful or not?", "tags": ["Atmosphere", "sacredness and emotional tone", "solo, when you can be more contemplative", "laddering", "probe"]}
{"dimension": "Value for Money", "type": "single", "prompt": "As a culturally/spiritually motivated traveler, how do you… your experience with a craft workshop focused on meaning and lineage, not souvenirs in Bali during late afternoon when light softens and things slow down. From a Value for Money perspective, what stands out about community benefit-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Value for Money", "community benefit", "late afternoon when light softens and things slow down"]}
{"dimension": "Infrastructure", "type": "laddering", "prompt": "Think about a specific moment in Bali during late afternoon when light softens and things slow down that left you with a stronger respect for local rhythms. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on signage for etiquette).", "tags": ["Infrastructure", "signage for etiquette", "late afternoon when light softens and things slow down", "laddering"]}
{"dimension": "Infrastructure", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during late afternoon when light softens and things slow down that left you with a stronger respect for local rhythms. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on signage for etiquette). What did you notice first, and what happened next?", "tags": ["Infrastructure", "signage for etiquette", "late afternoon when light softens and things slow down", "laddering", "probe"]}
{"dimension": "Social Environment", "type": "contrast", "prompt": "Compare a rushed checklist day versus a slower day with fewer places but deeper presence in Bali during on a quiet weekday compared to a busy weekend. In terms of Social Environment, how do they differ for you as a respectful, culture/spirit-first traveler? Use performative 'authenticity' for tourists as a cue in your explanation.", "tags": ["Social Environment", "contrast", "on a quiet weekday compared to a busy weekend"]}
{"dimension": "Value for Money", "type": "single", "prompt": "What does 'authentic and respectful' look like to you when… your experience with a village ceremony you observe respectfully in Bali during in rainy season when plans change and patience matters. From a Value for Money perspective, what stands out about donations vs fees-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Value for Money", "donations vs fees", "in rainy season when plans change and patience matters"]}
{"dimension": "Value for Money", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you can only travel within a short radius and must choose carefully', what should they understand about Value for Money (especially what feels worth paying for (context, respect, time))? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., access to sacred spaces without emphasizing etiquette and consent?", "tags": ["Value for Money", "what feels worth paying for (context, respect, time)", "marketer", "time"]}
{"dimension": "Value for Money", "type": "marketer_advice+probe", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you can only travel within a short radius and must choose carefully', what should they understand about Value for Money (especially what feels worth paying for (context, respect, time))? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., access to sacred spaces without emphasizing etiquette and consent? What boundary would you not cross again?", "tags": ["Value for Money", "what feels worth paying for (context, respect, time)", "marketer", "time", "probe"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "If you had to advise a tourism marketer focused on respectful cultural travel… your experience with rice terraces that feel lived-in rather than staged in Bali during as a repeat visitor, noticing subtler layers. From a Natural Attractions perspective, what stands out about quiet awe vs spectacle-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "quiet awe vs spectacle", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Social Environment + Atmosphere", "type": "tradeoff", "prompt": "Under this constraint: you want to avoid commodifying sacred life. How do you trade off community benefit versus personal comfort when choosing cultural/spiritual experiences in Bali? Answer with examples touching Social Environment and Atmosphere.", "tags": ["Social Environment", "Atmosphere", "tradeoff", "ethics"]}
{"dimension": "Social Environment + Atmosphere", "type": "tradeoff+probe", "prompt": "Under this constraint: you want to avoid commodifying sacred life. How do you trade off community benefit versus personal comfort when choosing cultural/spiritual experiences in Bali? Answer with examples touching Social Environment and Atmosphere. What boundary would you not cross again?", "tags": ["Social Environment", "Atmosphere", "tradeoff", "ethics", "probe"]}
{"dimension": "Value for Money", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you want a balance: one iconic site, mostly quieter, community-rooted places', what should they understand about Value for Money (especially fairness and transparency)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., a 'hidden local ritual' framed as a product?", "tags": ["Value for Money", "fairness and transparency", "marketer", "crowds"]}
{"dimension": "Infrastructure", "type": "single", "prompt": "As a culturally/spiritually motivated traveler, how do you… your experience with a dance performance where you try to read symbolism in Bali during with a local guide who emphasizes respect and context. From a Infrastructure perspective, what stands out about accessibility with dignity-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Infrastructure", "accessibility with dignity", "with a local guide who emphasizes respect and context"]}
{"dimension": "Infrastructure", "type": "single+probe", "prompt": "As a culturally/spiritually motivated traveler, how do you… your experience with a dance performance where you try to read symbolism in Bali during with a local guide who emphasizes respect and context. From a Infrastructure perspective, what stands out about accessibility with dignity-and why does it matter to you as a culture/spirit-oriented traveler? What boundary would you not cross again?", "tags": ["Infrastructure", "accessibility with dignity", "with a local guide who emphasizes respect and context", "probe"]}
{"dimension": "Value for Money", "type": "laddering", "prompt": "Think about a specific moment in Bali during late afternoon when light softens and things slow down that left you with a feeling of gratitude. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Value for Money (focus on fairness and transparency).", "tags": ["Value for Money", "fairness and transparency", "late afternoon when light softens and things slow down", "laddering"]}
{"dimension": "Social Environment", "type": "single", "prompt": "If you had to advise a tourism marketer focused on respectful cultural travel… your experience with a dance performance where you try to read symbolism in Bali during on a quiet weekday compared to a busy weekend. From a Social Environment perspective, what stands out about consent and boundaries-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "consent and boundaries", "on a quiet weekday compared to a busy weekend"]}
{"dimension": "Infrastructure", "type": "single", "prompt": "How do you personally decide whether to join, observe, or step back when… your experience with a village ceremony you observe respectfully in Bali during early morning before the crowds. From a Infrastructure perspective, what stands out about frictionless but respectful access-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Infrastructure", "frictionless but respectful access", "early morning before the crowds"]}
{"dimension": "Infrastructure", "type": "single+probe", "prompt": "How do you personally decide whether to join, observe, or step back when… your experience with a village ceremony you observe respectfully in Bali during early morning before the crowds. From a Infrastructure perspective, what stands out about frictionless but respectful access-and why does it matter to you as a culture/spirit-oriented traveler? How did it change your mood or sense of meaning that day?", "tags": ["Infrastructure", "frictionless but respectful access", "early morning before the crowds", "probe"]}
{"dimension": "Natural Attractions", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you want a balance: one iconic site, mostly quieter, community-rooted places', what should they understand about Natural Attractions (especially routes that support reflection)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., a ceremony 'for tourists' as the main attraction?", "tags": ["Natural Attractions", "routes that support reflection", "marketer", "crowds"]}
{"dimension": "Natural Attractions", "type": "marketer_advice+probe", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you want a balance: one iconic site, mostly quieter, community-rooted places', what should they understand about Natural Attractions (especially routes that support reflection)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., a ceremony 'for tourists' as the main attraction? What would have improved it without turning it into a spectacle?", "tags": ["Natural Attractions", "routes that support reflection", "marketer", "crowds", "probe"]}
{"dimension": "Social Environment", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'it's rainy season and flexibility is part of respectful travel', what should they understand about Social Environment (especially respectful interaction with locals)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., a ceremony 'for tourists' as the main attraction?", "tags": ["Social Environment", "respectful interaction with locals", "marketer", "weather"]}
{"dimension": "Social Environment", "type": "marketer_advice+probe", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'it's rainy season and flexibility is part of respectful travel', what should they understand about Social Environment (especially respectful interaction with locals)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., a ceremony 'for tourists' as the main attraction? What specifically made it feel respectful or not?", "tags": ["Social Environment", "respectful interaction with locals", "marketer", "weather", "probe"]}
{"dimension": "Natural Attractions + Atmosphere", "type": "tradeoff", "prompt": "Under this constraint: visibility is low and your sunrise plan may fail-how do you adapt meaningfully?. How do you trade off photography versus presence and respect when choosing cultural/spiritual experiences in Bali? Answer with examples touching Natural Attractions and Atmosphere.", "tags": ["Natural Attractions", "Atmosphere", "tradeoff", "weather"]}
{"dimension": "Natural Attractions", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you want your presence to feel like 'being a guest' not 'taking'', what should they understand about Natural Attractions (especially sense of place and meaning)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., guaranteed 'authentic spirituality' on demand?", "tags": ["Natural Attractions", "sense of place and meaning", "marketer", "ethics"]}
{"dimension": "Infrastructure", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to when to speak vs stay quiet in Bali during early morning before the crowds. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Infrastructure.", "tags": ["Infrastructure", "etiquette", "when to speak vs stay quiet", "early morning before the crowds"]}
{"dimension": "Social Environment", "type": "single", "prompt": "If you had to advise a tourism marketer focused on respectful cultural travel… your experience with a dance performance where you try to read symbolism in Bali during early morning before the crowds. From a Social Environment perspective, what stands out about respectful interaction with locals-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "respectful interaction with locals", "early morning before the crowds"]}
{"dimension": "Social Environment", "type": "single+probe", "prompt": "If you had to advise a tourism marketer focused on respectful cultural travel… your experience with a dance performance where you try to read symbolism in Bali during early morning before the crowds. From a Social Environment perspective, what stands out about respectful interaction with locals-and why does it matter to you as a culture/spirit-oriented traveler? What did you notice first, and what happened next?", "tags": ["Social Environment", "respectful interaction with locals", "early morning before the crowds", "probe"]}
{"dimension": "Natural Attractions + Value for Money", "type": "tradeoff", "prompt": "Under this constraint: you have one full day and want it to feel coherent and meaningful. How do you trade off community benefit versus personal comfort when choosing cultural/spiritual experiences in Bali? Answer with examples touching Natural Attractions and Value for Money.", "tags": ["Natural Attractions", "Value for Money", "tradeoff", "time"]}
{"dimension": "Social Environment", "type": "laddering", "prompt": "Think about a specific moment in Bali during late afternoon when light softens and things slow down that left you with a feeling of being a guest. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Social Environment (focus on respectful interaction with locals).", "tags": ["Social Environment", "respectful interaction with locals", "late afternoon when light softens and things slow down", "laddering"]}
{"dimension": "Infrastructure", "type": "contrast", "prompt": "Compare a market aisle focused on souvenirs versus a market moment that shows daily offerings and rhythm in Bali during early morning before the crowds. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use overt commercialization around sacred spaces as a cue in your explanation.", "tags": ["Infrastructure", "contrast", "early morning before the crowds"]}
{"dimension": "Natural Attractions", "type": "laddering", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a feeling of being a guest. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Natural Attractions (focus on respectful behavior in nature).", "tags": ["Natural Attractions", "respectful behavior in nature", "solo, when you can be more contemplative", "laddering"]}
{"dimension": "Natural Attractions", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a feeling of being a guest. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Natural Attractions (focus on respectful behavior in nature). How did it change your mood or sense of meaning that day?", "tags": ["Natural Attractions", "respectful behavior in nature", "solo, when you can be more contemplative", "laddering", "probe"]}
{"dimension": "Social Environment", "type": "route_design", "prompt": "Design a mini day-route that combines rice terraces that feel lived-in rather than staged and a village ceremony you observe respectfully under this constraint: you can handle crowds if etiquette and sacredness are preserved. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Social Environment.", "tags": ["Social Environment", "route", "crowds"]}
{"dimension": "Atmosphere", "type": "laddering", "prompt": "Think about a specific moment in Bali during early morning before the crowds that left you with a moment of awe. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on commercialization pressure).", "tags": ["Atmosphere", "commercialization pressure", "early morning before the crowds", "laddering"]}
{"dimension": "Atmosphere", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during early morning before the crowds that left you with a moment of awe. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on commercialization pressure). What boundary would you not cross again?", "tags": ["Atmosphere", "commercialization pressure", "early morning before the crowds", "laddering", "probe"]}
{"dimension": "Atmosphere", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to how to move through a temple without intruding in Bali during with a local guide who emphasizes respect and context. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Atmosphere.", "tags": ["Atmosphere", "etiquette", "how to move through a temple without intruding", "with a local guide who emphasizes respect and context"]}
{"dimension": "Atmosphere", "type": "etiquette+probe", "prompt": "Walk me through an etiquette situation related to how to move through a temple without intruding in Bali during with a local guide who emphasizes respect and context. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Atmosphere. What did you notice first, and what happened next?", "tags": ["Atmosphere", "etiquette", "how to move through a temple without intruding", "with a local guide who emphasizes respect and context", "probe"]}
{"dimension": "Infrastructure", "type": "single", "prompt": "What surprised you about the spiritual or cultural texture of… your experience with a village ceremony you observe respectfully in Bali during on a quiet weekday compared to a busy weekend. From a Infrastructure perspective, what stands out about toilets/rest areas without degrading atmosphere-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Infrastructure", "toilets/rest areas without degrading atmosphere", "on a quiet weekday compared to a busy weekend"]}
{"dimension": "Infrastructure", "type": "single+probe", "prompt": "What surprised you about the spiritual or cultural texture of… your experience with a village ceremony you observe respectfully in Bali during on a quiet weekday compared to a busy weekend. From a Infrastructure perspective, what stands out about toilets/rest areas without degrading atmosphere-and why does it matter to you as a culture/spirit-oriented traveler? What did you notice first, and what happened next?", "tags": ["Infrastructure", "toilets/rest areas without degrading atmosphere", "on a quiet weekday compared to a busy weekend", "probe"]}
{"dimension": "Infrastructure", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you can handle crowds if etiquette and sacredness are preserved', what should they understand about Infrastructure (especially signage for etiquette)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., access to sacred spaces without emphasizing etiquette and consent?", "tags": ["Infrastructure", "signage for etiquette", "marketer", "crowds"]}
{"dimension": "Natural Attractions", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you prefer not to ride a scooter and want low-friction transport options', what should they understand about Natural Attractions (especially timing for contemplative experience)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., permission to photograph everything?", "tags": ["Natural Attractions", "timing for contemplative experience", "marketer", "mobility"]}
{"dimension": "Value for Money", "type": "laddering", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a moment of awe. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Value for Money (focus on fairness and transparency).", "tags": ["Value for Money", "fairness and transparency", "solo, when you can be more contemplative", "laddering"]}
{"dimension": "Atmosphere + Infrastructure", "type": "tradeoff", "prompt": "Under this constraint: you can handle crowds if etiquette and sacredness are preserved. How do you trade off guided cultural context versus self-guided freedom when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Infrastructure.", "tags": ["Atmosphere", "Infrastructure", "tradeoff", "crowds"]}
{"dimension": "Social Environment", "type": "single", "prompt": "If you had to advise a tourism marketer focused on respectful cultural travel… your experience with a community space where offerings are prepared in Bali during on a quiet weekday compared to a busy weekend. From a Social Environment perspective, what stands out about consent and boundaries-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "consent and boundaries", "on a quiet weekday compared to a busy weekend"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "What surprised you about the spiritual or cultural texture of… your experience with hot springs experienced as restoration rather than spectacle in Bali during solo, when you can be more contemplative. From a Natural Attractions perspective, what stands out about access vs sacred calm-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "access vs sacred calm", "solo, when you can be more contemplative"]}
{"dimension": "Natural Attractions", "type": "single+probe", "prompt": "What surprised you about the spiritual or cultural texture of… your experience with hot springs experienced as restoration rather than spectacle in Bali during solo, when you can be more contemplative. From a Natural Attractions perspective, what stands out about access vs sacred calm-and why does it matter to you as a culture/spirit-oriented traveler? What boundary would you not cross again?", "tags": ["Natural Attractions", "access vs sacred calm", "solo, when you can be more contemplative", "probe"]}
{"dimension": "Infrastructure + Atmosphere", "type": "tradeoff", "prompt": "Under this constraint: you want predictable costs and dislike hidden fees around sacred sites. How do you trade off predictable pricing versus spontaneous discovery when choosing cultural/spiritual experiences in Bali? Answer with examples touching Infrastructure and Atmosphere.", "tags": ["Infrastructure", "Atmosphere", "tradeoff", "budget"]}
{"dimension": "Value for Money", "type": "contrast", "prompt": "Compare a crowded ceremony-adjacent spot versus a calm everyday ritual moment in Bali during late afternoon when light softens and things slow down. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether rules feel protective or performative as a cue in your explanation.", "tags": ["Value for Money", "contrast", "late afternoon when light softens and things slow down"]}
{"dimension": "Value for Money", "type": "contrast+probe", "prompt": "Compare a crowded ceremony-adjacent spot versus a calm everyday ritual moment in Bali during late afternoon when light softens and things slow down. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether rules feel protective or performative as a cue in your explanation. What specifically made it feel respectful or not?", "tags": ["Value for Money", "contrast", "late afternoon when light softens and things slow down", "probe"]}
{"dimension": "Infrastructure", "type": "laddering", "prompt": "Think about a specific moment in Bali during late afternoon when light softens and things slow down that left you with a shift in how you see daily life. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on frictionless but respectful access).", "tags": ["Infrastructure", "frictionless but respectful access", "late afternoon when light softens and things slow down", "laddering"]}
{"dimension": "Atmosphere", "type": "single", "prompt": "If you had to advise a tourism marketer focused on respectful cultural travel… your experience with a traditional market where everyday ritual shows up in small ways in Bali during solo, when you can be more contemplative. From a Atmosphere perspective, what stands out about silence, sound, and pace-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Atmosphere", "silence, sound, and pace", "solo, when you can be more contemplative"]}
{"dimension": "Value for Money", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'it's rainy season and flexibility is part of respectful travel', what should they understand about Value for Money (especially community benefit)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., guaranteed 'authentic spirituality' on demand?", "tags": ["Value for Money", "community benefit", "marketer", "weather"]}
{"dimension": "Value for Money", "type": "marketer_advice+probe", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'it's rainy season and flexibility is part of respectful travel', what should they understand about Value for Money (especially community benefit)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., guaranteed 'authentic spirituality' on demand? How did it change your mood or sense of meaning that day?", "tags": ["Value for Money", "community benefit", "marketer", "weather", "probe"]}
{"dimension": "Social Environment", "type": "single", "prompt": "Tell me about a time when… your experience with a traditional market where everyday ritual shows up in small ways in Bali during late afternoon when light softens and things slow down. From a Social Environment perspective, what stands out about guide trust and cultural context-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "guide trust and cultural context", "late afternoon when light softens and things slow down"]}
{"dimension": "Social Environment", "type": "single+probe", "prompt": "Tell me about a time when… your experience with a traditional market where everyday ritual shows up in small ways in Bali during late afternoon when light softens and things slow down. From a Social Environment perspective, what stands out about guide trust and cultural context-and why does it matter to you as a culture/spirit-oriented traveler? What specifically made it feel respectful or not?", "tags": ["Social Environment", "guide trust and cultural context", "late afternoon when light softens and things slow down", "probe"]}
{"dimension": "Social Environment", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to offerings and what not to touch in Bali during as a repeat visitor, noticing subtler layers. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Social Environment.", "tags": ["Social Environment", "etiquette", "offerings and what not to touch", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Infrastructure", "type": "route_design", "prompt": "Design a mini day-route that combines jungle walks where you notice offerings and small shrines and a community space where offerings are prepared under this constraint: you can handle crowds if etiquette and sacredness are preserved. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Infrastructure.", "tags": ["Infrastructure", "route", "crowds"]}
{"dimension": "Atmosphere", "type": "single", "prompt": "What surprised you about the spiritual or cultural texture of… your experience with a community space where offerings are prepared in Bali during on a quiet weekday compared to a busy weekend. From a Atmosphere perspective, what stands out about ritual context shaping ambience-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Atmosphere", "ritual context shaping ambience", "on a quiet weekday compared to a busy weekend"]}
{"dimension": "Atmosphere", "type": "single+probe", "prompt": "What surprised you about the spiritual or cultural texture of… your experience with a community space where offerings are prepared in Bali during on a quiet weekday compared to a busy weekend. From a Atmosphere perspective, what stands out about ritual context shaping ambience-and why does it matter to you as a culture/spirit-oriented traveler? What boundary would you not cross again?", "tags": ["Atmosphere", "ritual context shaping ambience", "on a quiet weekday compared to a busy weekend", "probe"]}
{"dimension": "Infrastructure", "type": "single", "prompt": "How do you personally decide whether to join, observe, or step back when… your experience with a village ceremony you observe respectfully in Bali during as a repeat visitor, noticing subtler layers. From a Infrastructure perspective, what stands out about transparent ticketing/donations-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Infrastructure", "transparent ticketing/donations", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Infrastructure", "type": "single+probe", "prompt": "How do you personally decide whether to join, observe, or step back when… your experience with a village ceremony you observe respectfully in Bali during as a repeat visitor, noticing subtler layers. From a Infrastructure perspective, what stands out about transparent ticketing/donations-and why does it matter to you as a culture/spirit-oriented traveler? What would you tell a marketer to never claim in messaging?", "tags": ["Infrastructure", "transparent ticketing/donations", "as a repeat visitor, noticing subtler layers", "probe"]}
{"dimension": "Social Environment", "type": "single", "prompt": "What surprised you about the spiritual or cultural texture of… your experience with a village ceremony you observe respectfully in Bali during as a repeat visitor, noticing subtler layers. From a Social Environment perspective, what stands out about learning without extracting-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "learning without extracting", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Natural Attractions", "type": "contrast", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during late afternoon when light softens and things slow down. In terms of Natural Attractions, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the pace allows reflection or pushes consumption as a cue in your explanation.", "tags": ["Natural Attractions", "contrast", "late afternoon when light softens and things slow down"]}
{"dimension": "Natural Attractions", "type": "contrast+probe", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during late afternoon when light softens and things slow down. In terms of Natural Attractions, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the pace allows reflection or pushes consumption as a cue in your explanation. What boundary would you not cross again?", "tags": ["Natural Attractions", "contrast", "late afternoon when light softens and things slow down", "probe"]}
{"dimension": "Social Environment", "type": "contrast", "prompt": "Compare a crowded ceremony-adjacent spot versus a calm everyday ritual moment in Bali during with a local guide who emphasizes respect and context. In terms of Social Environment, how do they differ for you as a respectful, culture/spirit-first traveler? Use performative 'authenticity' for tourists as a cue in your explanation.", "tags": ["Social Environment", "contrast", "with a local guide who emphasizes respect and context"]}
{"dimension": "Value for Money + Natural Attractions", "type": "tradeoff", "prompt": "Under this constraint: you have one full day and want it to feel coherent and meaningful. How do you trade off sacredness versus accessibility when choosing cultural/spiritual experiences in Bali? Answer with examples touching Value for Money and Natural Attractions.", "tags": ["Value for Money", "Natural Attractions", "tradeoff", "time"]}
{"dimension": "Infrastructure", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you can only travel within a short radius and must choose carefully', what should they understand about Infrastructure (especially transparent ticketing/donations)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., a 'hidden local ritual' framed as a product?", "tags": ["Infrastructure", "transparent ticketing/donations", "marketer", "time"]}
{"dimension": "Infrastructure", "type": "laddering", "prompt": "Think about a specific moment in Bali during as a repeat visitor, noticing subtler layers that left you with a shift in how you see daily life. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on accessibility with dignity).", "tags": ["Infrastructure", "accessibility with dignity", "as a repeat visitor, noticing subtler layers", "laddering"]}
{"dimension": "Infrastructure", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to offerings and what not to touch in Bali during during a local ceremony where you are clearly a guest. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Infrastructure.", "tags": ["Infrastructure", "etiquette", "offerings and what not to touch", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "Walk me through… your experience with jungle walks where you notice offerings and small shrines in Bali during early morning before the crowds. From a Natural Attractions perspective, what stands out about quiet awe vs spectacle-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "quiet awe vs spectacle", "early morning before the crowds"]}
{"dimension": "Atmosphere", "type": "single", "prompt": "How do you personally decide whether to join, observe, or step back when… your experience with a traditional market where everyday ritual shows up in small ways in Bali during on a quiet weekday compared to a busy weekend. From a Atmosphere perspective, what stands out about authenticity cues-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Atmosphere", "authenticity cues", "on a quiet weekday compared to a busy weekend"]}
{"dimension": "Value for Money", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'it's rainy season and flexibility is part of respectful travel', what should they understand about Value for Money (especially community benefit)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., permission to photograph everything?", "tags": ["Value for Money", "community benefit", "marketer", "weather"]}
{"dimension": "Atmosphere", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to how to move through a temple without intruding in Bali during solo, when you can be more contemplative. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Atmosphere.", "tags": ["Atmosphere", "etiquette", "how to move through a temple without intruding", "solo, when you can be more contemplative"]}
{"dimension": "Atmosphere + Value for Money", "type": "tradeoff", "prompt": "Under this constraint: you get overwhelmed by busy places and need calmer, respectful alternatives. How do you trade off depth of understanding versus convenience when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Value for Money.", "tags": ["Atmosphere", "Value for Money", "tradeoff", "crowds"]}
{"dimension": "Atmosphere + Value for Money", "type": "tradeoff+probe", "prompt": "Under this constraint: you get overwhelmed by busy places and need calmer, respectful alternatives. How do you trade off depth of understanding versus convenience when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Value for Money. What would have improved it without turning it into a spectacle?", "tags": ["Atmosphere", "Value for Money", "tradeoff", "crowds", "probe"]}
{"dimension": "Atmosphere + Natural Attractions", "type": "tradeoff", "prompt": "Under this constraint: visibility is low and your sunrise plan may fail-how do you adapt meaningfully?. How do you trade off slow pace versus variety of stops when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Natural Attractions.", "tags": ["Atmosphere", "Natural Attractions", "tradeoff", "weather"]}
{"dimension": "Social Environment", "type": "laddering", "prompt": "Think about a specific moment in Bali during with a local guide who emphasizes respect and context that left you with a stronger respect for local rhythms. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Social Environment (focus on guide trust and cultural context).", "tags": ["Social Environment", "guide trust and cultural context", "with a local guide who emphasizes respect and context", "laddering"]}
{"dimension": "Infrastructure", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you get overwhelmed by busy places and need calmer, respectful alternatives', what should they understand about Infrastructure (especially accessibility with dignity)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., access to sacred spaces without emphasizing etiquette and consent?", "tags": ["Infrastructure", "accessibility with dignity", "marketer", "crowds"]}
{"dimension": "Infrastructure", "type": "marketer_advice+probe", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you get overwhelmed by busy places and need calmer, respectful alternatives', what should they understand about Infrastructure (especially accessibility with dignity)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., access to sacred spaces without emphasizing etiquette and consent? What would have improved it without turning it into a spectacle?", "tags": ["Infrastructure", "accessibility with dignity", "marketer", "crowds", "probe"]}
{"dimension": "Infrastructure", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to when to speak vs stay quiet in Bali during late afternoon when light softens and things slow down. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Infrastructure.", "tags": ["Infrastructure", "etiquette", "when to speak vs stay quiet", "late afternoon when light softens and things slow down"]}
{"dimension": "Value for Money", "type": "single", "prompt": "How do you personally decide whether to join, observe, or step back when… your experience with a quiet heritage walk where stories feel layered in Bali during with a local guide who emphasizes respect and context. From a Value for Money perspective, what stands out about community benefit-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Value for Money", "community benefit", "with a local guide who emphasizes respect and context"]}
{"dimension": "Infrastructure", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you'll pay more if it supports local communities transparently', what should they understand about Infrastructure (especially toilets/rest areas without degrading atmosphere)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., a ceremony 'for tourists' as the main attraction?", "tags": ["Infrastructure", "toilets/rest areas without degrading atmosphere", "marketer", "budget"]}
{"dimension": "Infrastructure", "type": "marketer_advice+probe", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you'll pay more if it supports local communities transparently', what should they understand about Infrastructure (especially toilets/rest areas without degrading atmosphere)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., a ceremony 'for tourists' as the main attraction? What specifically made it feel respectful or not?", "tags": ["Infrastructure", "toilets/rest areas without degrading atmosphere", "marketer", "budget", "probe"]}
{"dimension": "Natural Attractions", "type": "contrast", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during in rainy season when plans change and patience matters. In terms of Natural Attractions, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the experience is integrated into local life as a cue in your explanation.", "tags": ["Natural Attractions", "contrast", "in rainy season when plans change and patience matters"]}
{"dimension": "Infrastructure", "type": "route_design", "prompt": "Design a mini day-route that combines jungle walks where you notice offerings and small shrines and a craft workshop focused on meaning and lineage, not souvenirs under this constraint: it's very hot and you need a pace that still feels mindful. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Infrastructure.", "tags": ["Infrastructure", "route", "weather"]}
{"dimension": "Value for Money", "type": "laddering", "prompt": "Think about a specific moment in Bali during on a quiet weekday compared to a busy weekend that left you with a shift in how you see daily life. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Value for Money (focus on paying for guides as cultural mediation).", "tags": ["Value for Money", "paying for guides as cultural mediation", "on a quiet weekday compared to a busy weekend", "laddering"]}
{"dimension": "Value for Money", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during on a quiet weekday compared to a busy weekend that left you with a shift in how you see daily life. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Value for Money (focus on paying for guides as cultural mediation). What boundary would you not cross again?", "tags": ["Value for Money", "paying for guides as cultural mediation", "on a quiet weekday compared to a busy weekend", "laddering", "probe"]}
{"dimension": "Value for Money", "type": "laddering", "prompt": "Think about a specific moment in Bali during in rainy season when plans change and patience matters that left you with a shift in how you see daily life. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Value for Money (focus on donations vs fees).", "tags": ["Value for Money", "donations vs fees", "in rainy season when plans change and patience matters", "laddering"]}
{"dimension": "Social Environment + Natural Attractions", "type": "tradeoff", "prompt": "Under this constraint: you prioritize local benefit, consent, and respectful boundaries. How do you trade off guided cultural context versus self-guided freedom when choosing cultural/spiritual experiences in Bali? Answer with examples touching Social Environment and Natural Attractions.", "tags": ["Social Environment", "Natural Attractions", "tradeoff", "ethics"]}
{"dimension": "Social Environment + Natural Attractions", "type": "tradeoff+probe", "prompt": "Under this constraint: you prioritize local benefit, consent, and respectful boundaries. How do you trade off guided cultural context versus self-guided freedom when choosing cultural/spiritual experiences in Bali? Answer with examples touching Social Environment and Natural Attractions. How did it change your mood or sense of meaning that day?", "tags": ["Social Environment", "Natural Attractions", "tradeoff", "ethics", "probe"]}
{"dimension": "Value for Money", "type": "contrast", "prompt": "Compare a curated tour script versus a guide who shares context and encourages respect in Bali during on a quiet weekday compared to a busy weekend. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use performative 'authenticity' for tourists as a cue in your explanation.", "tags": ["Value for Money", "contrast", "on a quiet weekday compared to a busy weekend"]}
{"dimension": "Value for Money", "type": "contrast+probe", "prompt": "Compare a curated tour script versus a guide who shares context and encourages respect in Bali during on a quiet weekday compared to a busy weekend. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use performative 'authenticity' for tourists as a cue in your explanation. What boundary would you not cross again?", "tags": ["Value for Money", "contrast", "on a quiet weekday compared to a busy weekend", "probe"]}
{"dimension": "Value for Money", "type": "contrast", "prompt": "Compare a rushed checklist day versus a slower day with fewer places but deeper presence in Bali during late afternoon when light softens and things slow down. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the pace allows reflection or pushes consumption as a cue in your explanation.", "tags": ["Value for Money", "contrast", "late afternoon when light softens and things slow down"]}
{"dimension": "Value for Money", "type": "contrast+probe", "prompt": "Compare a rushed checklist day versus a slower day with fewer places but deeper presence in Bali during late afternoon when light softens and things slow down. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the pace allows reflection or pushes consumption as a cue in your explanation. What specifically made it feel respectful or not?", "tags": ["Value for Money", "contrast", "late afternoon when light softens and things slow down", "probe"]}
{"dimension": "Atmosphere", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you avoid experiences that pressure locals to perform for tourists', what should they understand about Atmosphere (especially silence, sound, and pace)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., access to sacred spaces without emphasizing etiquette and consent?", "tags": ["Atmosphere", "silence, sound, and pace", "marketer", "ethics"]}
{"dimension": "Value for Money", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to how to move through a temple without intruding in Bali during in rainy season when plans change and patience matters. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Value for Money.", "tags": ["Value for Money", "etiquette", "how to move through a temple without intruding", "in rainy season when plans change and patience matters"]}
{"dimension": "Social Environment", "type": "route_design", "prompt": "Design a mini day-route that combines volcano viewpoints that invite reflection at dawn and a dance performance where you try to read symbolism under this constraint: you can only travel within a short radius and must choose carefully. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Social Environment.", "tags": ["Social Environment", "route", "time"]}
{"dimension": "Value for Money + Infrastructure", "type": "tradeoff", "prompt": "Under this constraint: you prioritize local benefit, consent, and respectful boundaries. How do you trade off predictable pricing versus spontaneous discovery when choosing cultural/spiritual experiences in Bali? Answer with examples touching Value for Money and Infrastructure.", "tags": ["Value for Money", "Infrastructure", "tradeoff", "ethics"]}
{"dimension": "Value for Money", "type": "single", "prompt": "How do you personally decide whether to join, observe, or step back when… your experience with a traditional market where everyday ritual shows up in small ways in Bali during during a local ceremony where you are clearly a guest. From a Value for Money perspective, what stands out about donations vs fees-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Value for Money", "donations vs fees", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Value for Money", "type": "single+probe", "prompt": "How do you personally decide whether to join, observe, or step back when… your experience with a traditional market where everyday ritual shows up in small ways in Bali during during a local ceremony where you are clearly a guest. From a Value for Money perspective, what stands out about donations vs fees-and why does it matter to you as a culture/spirit-oriented traveler? What boundary would you not cross again?", "tags": ["Value for Money", "donations vs fees", "during a local ceremony where you are clearly a guest", "probe"]}
{"dimension": "Value for Money", "type": "laddering", "prompt": "Think about a specific moment in Bali during with a local guide who emphasizes respect and context that left you with a sense of calm. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Value for Money (focus on donations vs fees).", "tags": ["Value for Money", "donations vs fees", "with a local guide who emphasizes respect and context", "laddering"]}
{"dimension": "Social Environment", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you get overwhelmed by busy places and need calmer, respectful alternatives', what should they understand about Social Environment (especially guide trust and cultural context)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., a 'hidden local ritual' framed as a product?", "tags": ["Social Environment", "guide trust and cultural context", "marketer", "crowds"]}
{"dimension": "Social Environment", "type": "marketer_advice+probe", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you get overwhelmed by busy places and need calmer, respectful alternatives', what should they understand about Social Environment (especially guide trust and cultural context)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., a 'hidden local ritual' framed as a product? What would you tell a marketer to never claim in messaging?", "tags": ["Social Environment", "guide trust and cultural context", "marketer", "crowds", "probe"]}
{"dimension": "Natural Attractions", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you have a modest budget but still want cultural depth and fairness', what should they understand about Natural Attractions (especially respectful behavior in nature)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., a 'hidden local ritual' framed as a product?", "tags": ["Natural Attractions", "respectful behavior in nature", "marketer", "budget"]}
{"dimension": "Infrastructure", "type": "laddering", "prompt": "Think about a specific moment in Bali during during a local ceremony where you are clearly a guest that left you with a stronger respect for local rhythms. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on toilets/rest areas without degrading atmosphere).", "tags": ["Infrastructure", "toilets/rest areas without degrading atmosphere", "during a local ceremony where you are clearly a guest", "laddering"]}
{"dimension": "Infrastructure", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during during a local ceremony where you are clearly a guest that left you with a stronger respect for local rhythms. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on toilets/rest areas without degrading atmosphere). What would you tell a marketer to never claim in messaging?", "tags": ["Infrastructure", "toilets/rest areas without degrading atmosphere", "during a local ceremony where you are clearly a guest", "laddering", "probe"]}
{"dimension": "Infrastructure", "type": "laddering", "prompt": "Think about a specific moment in Bali during late afternoon when light softens and things slow down that left you with a sense of humility. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on visitor flow that protects sacred spaces).", "tags": ["Infrastructure", "visitor flow that protects sacred spaces", "late afternoon when light softens and things slow down", "laddering"]}
{"dimension": "Infrastructure", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during late afternoon when light softens and things slow down that left you with a sense of humility. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on visitor flow that protects sacred spaces). How did it change your mood or sense of meaning that day?", "tags": ["Infrastructure", "visitor flow that protects sacred spaces", "late afternoon when light softens and things slow down", "laddering", "probe"]}
{"dimension": "Social Environment", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you prefer smaller, community-rooted experiences over pricey packages', what should they understand about Social Environment (especially consent and boundaries)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., guaranteed 'authentic spirituality' on demand?", "tags": ["Social Environment", "consent and boundaries", "marketer", "budget"]}
{"dimension": "Social Environment", "type": "marketer_advice+probe", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you prefer smaller, community-rooted experiences over pricey packages', what should they understand about Social Environment (especially consent and boundaries)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., guaranteed 'authentic spirituality' on demand? What would have improved it without turning it into a spectacle?", "tags": ["Social Environment", "consent and boundaries", "marketer", "budget", "probe"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "If you had to advise a tourism marketer focused on respectful cultural travel… your experience with jungle walks where you notice offerings and small shrines in Bali during solo, when you can be more contemplative. From a Natural Attractions perspective, what stands out about access vs sacred calm-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "access vs sacred calm", "solo, when you can be more contemplative"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "As a culturally/spiritually motivated traveler, how do you… your experience with volcano viewpoints that invite reflection at dawn in Bali during early morning before the crowds. From a Natural Attractions perspective, what stands out about access vs sacred calm-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "access vs sacred calm", "early morning before the crowds"]}
{"dimension": "Natural Attractions", "type": "single+probe", "prompt": "As a culturally/spiritually motivated traveler, how do you… your experience with volcano viewpoints that invite reflection at dawn in Bali during early morning before the crowds. From a Natural Attractions perspective, what stands out about access vs sacred calm-and why does it matter to you as a culture/spirit-oriented traveler? What would you tell a marketer to never claim in messaging?", "tags": ["Natural Attractions", "access vs sacred calm", "early morning before the crowds", "probe"]}
{"dimension": "Atmosphere", "type": "laddering", "prompt": "Think about a specific moment in Bali during with a local guide who emphasizes respect and context that left you with a sense of calm. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on authenticity cues).", "tags": ["Atmosphere", "authenticity cues", "with a local guide who emphasizes respect and context", "laddering"]}
{"dimension": "Atmosphere", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during with a local guide who emphasizes respect and context that left you with a sense of calm. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on authenticity cues). What specifically made it feel respectful or not?", "tags": ["Atmosphere", "authenticity cues", "with a local guide who emphasizes respect and context", "laddering", "probe"]}
{"dimension": "Value for Money", "type": "contrast", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during as a repeat visitor, noticing subtler layers. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use how money is handled (transparent vs extractive) as a cue in your explanation.", "tags": ["Value for Money", "contrast", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Value for Money", "type": "contrast+probe", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during as a repeat visitor, noticing subtler layers. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use how money is handled (transparent vs extractive) as a cue in your explanation. What would have improved it without turning it into a spectacle?", "tags": ["Value for Money", "contrast", "as a repeat visitor, noticing subtler layers", "probe"]}
{"dimension": "Social Environment", "type": "single", "prompt": "How do you personally decide whether to join, observe, or step back when… your experience with a village ceremony you observe respectfully in Bali during in rainy season when plans change and patience matters. From a Social Environment perspective, what stands out about guide trust and cultural context-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "guide trust and cultural context", "in rainy season when plans change and patience matters"]}
{"dimension": "Infrastructure", "type": "single", "prompt": "Walk me through… your experience with a craft workshop focused on meaning and lineage, not souvenirs in Bali during early morning before the crowds. From a Infrastructure perspective, what stands out about visitor flow that protects sacred spaces-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Infrastructure", "visitor flow that protects sacred spaces", "early morning before the crowds"]}
{"dimension": "Atmosphere + Natural Attractions", "type": "tradeoff", "prompt": "Under this constraint: you avoid steep stairs but still want meaningful cultural/spiritual moments. How do you trade off sacredness versus accessibility when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Natural Attractions.", "tags": ["Atmosphere", "Natural Attractions", "tradeoff", "mobility"]}
{"dimension": "Social Environment", "type": "single", "prompt": "Tell me about a time when… your experience with a dance performance where you try to read symbolism in Bali during late afternoon when light softens and things slow down. From a Social Environment perspective, what stands out about being a guest and practicing humility-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "being a guest and practicing humility", "late afternoon when light softens and things slow down"]}
{"dimension": "Social Environment", "type": "single+probe", "prompt": "Tell me about a time when… your experience with a dance performance where you try to read symbolism in Bali during late afternoon when light softens and things slow down. From a Social Environment perspective, what stands out about being a guest and practicing humility-and why does it matter to you as a culture/spirit-oriented traveler? What would you tell a marketer to never claim in messaging?", "tags": ["Social Environment", "being a guest and practicing humility", "late afternoon when light softens and things slow down", "probe"]}
{"dimension": "Infrastructure + Social Environment", "type": "tradeoff", "prompt": "Under this constraint: it's rainy season and flexibility is part of respectful travel. How do you trade off quiet reflection versus seeing iconic places when choosing cultural/spiritual experiences in Bali? Answer with examples touching Infrastructure and Social Environment.", "tags": ["Infrastructure", "Social Environment", "tradeoff", "weather"]}
{"dimension": "Atmosphere", "type": "contrast", "prompt": "Compare a rushed checklist day versus a slower day with fewer places but deeper presence in Bali during late afternoon when light softens and things slow down. In terms of Atmosphere, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether rules feel protective or performative as a cue in your explanation.", "tags": ["Atmosphere", "contrast", "late afternoon when light softens and things slow down"]}
{"dimension": "Value for Money", "type": "single", "prompt": "Walk me through… your experience with a community space where offerings are prepared in Bali during with a local guide who emphasizes respect and context. From a Value for Money perspective, what stands out about community benefit-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Value for Money", "community benefit", "with a local guide who emphasizes respect and context"]}
{"dimension": "Social Environment", "type": "single", "prompt": "What does 'authentic and respectful' look like to you when… your experience with a traditional market where everyday ritual shows up in small ways in Bali during as a repeat visitor, noticing subtler layers. From a Social Environment perspective, what stands out about consent and boundaries-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "consent and boundaries", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Social Environment", "type": "single+probe", "prompt": "What does 'authentic and respectful' look like to you when… your experience with a traditional market where everyday ritual shows up in small ways in Bali during as a repeat visitor, noticing subtler layers. From a Social Environment perspective, what stands out about consent and boundaries-and why does it matter to you as a culture/spirit-oriented traveler? What specifically made it feel respectful or not?", "tags": ["Social Environment", "consent and boundaries", "as a repeat visitor, noticing subtler layers", "probe"]}
{"dimension": "Infrastructure + Natural Attractions", "type": "tradeoff", "prompt": "Under this constraint: you only have 6 hours but want depth, not a checklist. How do you trade off photography versus presence and respect when choosing cultural/spiritual experiences in Bali? Answer with examples touching Infrastructure and Natural Attractions.", "tags": ["Infrastructure", "Natural Attractions", "tradeoff", "time"]}
{"dimension": "Infrastructure", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you only have 6 hours but want depth, not a checklist', what should they understand about Infrastructure (especially toilets/rest areas without degrading atmosphere)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., guaranteed 'authentic spirituality' on demand?", "tags": ["Infrastructure", "toilets/rest areas without degrading atmosphere", "marketer", "time"]}
{"dimension": "Value for Money", "type": "single", "prompt": "How do you personally decide whether to join, observe, or step back when… your experience with a dance performance where you try to read symbolism in Bali during with a local guide who emphasizes respect and context. From a Value for Money perspective, what stands out about paying for guides as cultural mediation-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Value for Money", "paying for guides as cultural mediation", "with a local guide who emphasizes respect and context"]}
{"dimension": "Atmosphere", "type": "laddering", "prompt": "Think about a specific moment in Bali during during a local ceremony where you are clearly a guest that left you with a stronger respect for local rhythms. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Atmosphere (focus on sacredness and emotional tone).", "tags": ["Atmosphere", "sacredness and emotional tone", "during a local ceremony where you are clearly a guest", "laddering"]}
{"dimension": "Social Environment", "type": "single", "prompt": "What does 'authentic and respectful' look like to you when… your experience with a traditional market where everyday ritual shows up in small ways in Bali during late afternoon when light softens and things slow down. From a Social Environment perspective, what stands out about guide trust and cultural context-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "guide trust and cultural context", "late afternoon when light softens and things slow down"]}
{"dimension": "Atmosphere + Social Environment", "type": "tradeoff", "prompt": "Under this constraint: roads feel unsafe, so you prioritize fewer moves and deeper presence. How do you trade off sacredness versus accessibility when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Social Environment.", "tags": ["Atmosphere", "Social Environment", "tradeoff", "weather"]}
{"dimension": "Atmosphere + Social Environment", "type": "tradeoff+probe", "prompt": "Under this constraint: roads feel unsafe, so you prioritize fewer moves and deeper presence. How do you trade off sacredness versus accessibility when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Social Environment. What would you tell a marketer to never claim in messaging?", "tags": ["Atmosphere", "Social Environment", "tradeoff", "weather", "probe"]}
{"dimension": "Social Environment", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'roads feel unsafe, so you prioritize fewer moves and deeper presence', what should they understand about Social Environment (especially being a guest and practicing humility)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., a 'hidden local ritual' framed as a product?", "tags": ["Social Environment", "being a guest and practicing humility", "marketer", "weather"]}
{"dimension": "Social Environment", "type": "marketer_advice+probe", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'roads feel unsafe, so you prioritize fewer moves and deeper presence', what should they understand about Social Environment (especially being a guest and practicing humility)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., a 'hidden local ritual' framed as a product? What would have improved it without turning it into a spectacle?", "tags": ["Social Environment", "being a guest and practicing humility", "marketer", "weather", "probe"]}
{"dimension": "Social Environment", "type": "contrast", "prompt": "Compare a market aisle focused on souvenirs versus a market moment that shows daily offerings and rhythm in Bali during early morning before the crowds. In terms of Social Environment, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the experience is integrated into local life as a cue in your explanation.", "tags": ["Social Environment", "contrast", "early morning before the crowds"]}
{"dimension": "Value for Money", "type": "single", "prompt": "Tell me about a time when… your experience with a traditional market where everyday ritual shows up in small ways in Bali during late afternoon when light softens and things slow down. From a Value for Money perspective, what stands out about avoiding extractive 'spiritual packages'-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Value for Money", "avoiding extractive 'spiritual packages'", "late afternoon when light softens and things slow down"]}
{"dimension": "Atmosphere", "type": "contrast", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during in rainy season when plans change and patience matters. In terms of Atmosphere, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether rules feel protective or performative as a cue in your explanation.", "tags": ["Atmosphere", "contrast", "in rainy season when plans change and patience matters"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "What does 'authentic and respectful' look like to you when… your experience with waterfalls approached with a quiet, respectful mood in Bali during solo, when you can be more contemplative. From a Natural Attractions perspective, what stands out about access vs sacred calm-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "access vs sacred calm", "solo, when you can be more contemplative"]}
{"dimension": "Social Environment", "type": "single", "prompt": "How do you personally decide whether to join, observe, or step back when… your experience with a quiet heritage walk where stories feel layered in Bali during as a repeat visitor, noticing subtler layers. From a Social Environment perspective, what stands out about tourist behavior that disrupts-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "tourist behavior that disrupts", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Atmosphere", "type": "contrast", "prompt": "Compare a market aisle focused on souvenirs versus a market moment that shows daily offerings and rhythm in Bali during on a quiet weekday compared to a busy weekend. In terms of Atmosphere, how do they differ for you as a respectful, culture/spirit-first traveler? Use crowds that change the emotional tone as a cue in your explanation.", "tags": ["Atmosphere", "contrast", "on a quiet weekday compared to a busy weekend"]}
{"dimension": "Social Environment", "type": "single", "prompt": "If you had to advise a tourism marketer focused on respectful cultural travel… your experience with a quiet heritage walk where stories feel layered in Bali during as a repeat visitor, noticing subtler layers. From a Social Environment perspective, what stands out about being a guest and practicing humility-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Social Environment", "being a guest and practicing humility", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Infrastructure", "type": "single", "prompt": "Tell me about a time when… your experience with a community space where offerings are prepared in Bali during as a repeat visitor, noticing subtler layers. From a Infrastructure perspective, what stands out about frictionless but respectful access-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Infrastructure", "frictionless but respectful access", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Infrastructure", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to how to move through a temple without intruding in Bali during early morning before the crowds. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Infrastructure.", "tags": ["Infrastructure", "etiquette", "how to move through a temple without intruding", "early morning before the crowds"]}
{"dimension": "Infrastructure", "type": "etiquette+probe", "prompt": "Walk me through an etiquette situation related to how to move through a temple without intruding in Bali during early morning before the crowds. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Infrastructure. What would you tell a marketer to never claim in messaging?", "tags": ["Infrastructure", "etiquette", "how to move through a temple without intruding", "early morning before the crowds", "probe"]}
{"dimension": "Value for Money", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you have one full day and want it to feel coherent and meaningful', what should they understand about Value for Money (especially avoiding extractive 'spiritual packages')? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., access to sacred spaces without emphasizing etiquette and consent?", "tags": ["Value for Money", "avoiding extractive 'spiritual packages'", "marketer", "time"]}
{"dimension": "Atmosphere + Natural Attractions", "type": "tradeoff", "prompt": "Under this constraint: you avoid experiences that pressure locals to perform for tourists. How do you trade off sacredness versus accessibility when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Natural Attractions.", "tags": ["Atmosphere", "Natural Attractions", "tradeoff", "ethics"]}
{"dimension": "Natural Attractions", "type": "contrast", "prompt": "Compare a crowded ceremony-adjacent spot versus a calm everyday ritual moment in Bali during with a local guide who emphasizes respect and context. In terms of Natural Attractions, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the experience is integrated into local life as a cue in your explanation.", "tags": ["Natural Attractions", "contrast", "with a local guide who emphasizes respect and context"]}
{"dimension": "Natural Attractions", "type": "contrast+probe", "prompt": "Compare a crowded ceremony-adjacent spot versus a calm everyday ritual moment in Bali during with a local guide who emphasizes respect and context. In terms of Natural Attractions, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the experience is integrated into local life as a cue in your explanation. What did you notice first, and what happened next?", "tags": ["Natural Attractions", "contrast", "with a local guide who emphasizes respect and context", "probe"]}
{"dimension": "Atmosphere", "type": "single", "prompt": "Walk me through… your experience with temple courtyards and entry paths in Bali during solo, when you can be more contemplative. From a Atmosphere perspective, what stands out about silence, sound, and pace-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Atmosphere", "silence, sound, and pace", "solo, when you can be more contemplative"]}
{"dimension": "Infrastructure", "type": "single", "prompt": "Walk me through… your experience with a quiet heritage walk where stories feel layered in Bali during as a repeat visitor, noticing subtler layers. From a Infrastructure perspective, what stands out about toilets/rest areas without degrading atmosphere-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Infrastructure", "toilets/rest areas without degrading atmosphere", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Infrastructure + Atmosphere", "type": "tradeoff", "prompt": "Under this constraint: roads feel unsafe, so you prioritize fewer moves and deeper presence. How do you trade off slow pace versus variety of stops when choosing cultural/spiritual experiences in Bali? Answer with examples touching Infrastructure and Atmosphere.", "tags": ["Infrastructure", "Atmosphere", "tradeoff", "weather"]}
{"dimension": "Infrastructure + Atmosphere", "type": "tradeoff+probe", "prompt": "Under this constraint: roads feel unsafe, so you prioritize fewer moves and deeper presence. How do you trade off slow pace versus variety of stops when choosing cultural/spiritual experiences in Bali? Answer with examples touching Infrastructure and Atmosphere. What would you tell a marketer to never claim in messaging?", "tags": ["Infrastructure", "Atmosphere", "tradeoff", "weather", "probe"]}
{"dimension": "Infrastructure", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to offerings and what not to touch in Bali during solo, when you can be more contemplative. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Infrastructure.", "tags": ["Infrastructure", "etiquette", "offerings and what not to touch", "solo, when you can be more contemplative"]}
{"dimension": "Infrastructure", "type": "contrast", "prompt": "Compare a market aisle focused on souvenirs versus a market moment that shows daily offerings and rhythm in Bali during during a local ceremony where you are clearly a guest. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use crowds that change the emotional tone as a cue in your explanation.", "tags": ["Infrastructure", "contrast", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Value for Money", "type": "route_design", "prompt": "Design a mini day-route that combines jungle walks where you notice offerings and small shrines and a quiet heritage walk where stories feel layered under this constraint: visibility is low and your sunrise plan may fail-how do you adapt meaningfully?. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Value for Money.", "tags": ["Value for Money", "route", "weather"]}
{"dimension": "Value for Money", "type": "route_design+probe", "prompt": "Design a mini day-route that combines jungle walks where you notice offerings and small shrines and a quiet heritage walk where stories feel layered under this constraint: visibility is low and your sunrise plan may fail-how do you adapt meaningfully?. How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to Value for Money. What would have improved it without turning it into a spectacle?", "tags": ["Value for Money", "route", "weather", "probe"]}
{"dimension": "Natural Attractions + Social Environment", "type": "tradeoff", "prompt": "Under this constraint: you avoid experiences that pressure locals to perform for tourists. How do you trade off guided cultural context versus self-guided freedom when choosing cultural/spiritual experiences in Bali? Answer with examples touching Natural Attractions and Social Environment.", "tags": ["Natural Attractions", "Social Environment", "tradeoff", "ethics"]}
{"dimension": "Natural Attractions + Social Environment", "type": "tradeoff+probe", "prompt": "Under this constraint: you avoid experiences that pressure locals to perform for tourists. How do you trade off guided cultural context versus self-guided freedom when choosing cultural/spiritual experiences in Bali? Answer with examples touching Natural Attractions and Social Environment. What would you tell a marketer to never claim in messaging?", "tags": ["Natural Attractions", "Social Environment", "tradeoff", "ethics", "probe"]}
{"dimension": "Natural Attractions", "type": "contrast", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during with a local guide who emphasizes respect and context. In terms of Natural Attractions, how do they differ for you as a respectful, culture/spirit-first traveler? Use overt commercialization around sacred spaces as a cue in your explanation.", "tags": ["Natural Attractions", "contrast", "with a local guide who emphasizes respect and context"]}
{"dimension": "Social Environment + Infrastructure", "type": "tradeoff", "prompt": "Under this constraint: you need frequent rest and prefer fewer transitions. How do you trade off community benefit versus personal comfort when choosing cultural/spiritual experiences in Bali? Answer with examples touching Social Environment and Infrastructure.", "tags": ["Social Environment", "Infrastructure", "tradeoff", "mobility"]}
{"dimension": "Atmosphere + Social Environment", "type": "tradeoff", "prompt": "Under this constraint: you have a modest budget but still want cultural depth and fairness. How do you trade off photography versus presence and respect when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Social Environment.", "tags": ["Atmosphere", "Social Environment", "tradeoff", "budget"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "As a culturally/spiritually motivated traveler, how do you… your experience with waterfalls approached with a quiet, respectful mood in Bali during on a quiet weekday compared to a busy weekend. From a Natural Attractions perspective, what stands out about quiet awe vs spectacle-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "quiet awe vs spectacle", "on a quiet weekday compared to a busy weekend"]}
{"dimension": "Natural Attractions + Value for Money", "type": "tradeoff", "prompt": "Under this constraint: you prefer not to ride a scooter and want low-friction transport options. How do you trade off guided cultural context versus self-guided freedom when choosing cultural/spiritual experiences in Bali? Answer with examples touching Natural Attractions and Value for Money.", "tags": ["Natural Attractions", "Value for Money", "tradeoff", "mobility"]}
{"dimension": "Atmosphere", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to how to ask questions without turning sacred life into content in Bali during early morning before the crowds. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Atmosphere.", "tags": ["Atmosphere", "etiquette", "how to ask questions without turning sacred life into content", "early morning before the crowds"]}
{"dimension": "Atmosphere", "type": "etiquette+probe", "prompt": "Walk me through an etiquette situation related to how to ask questions without turning sacred life into content in Bali during early morning before the crowds. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Atmosphere. What boundary would you not cross again?", "tags": ["Atmosphere", "etiquette", "how to ask questions without turning sacred life into content", "early morning before the crowds", "probe"]}
{"dimension": "Social Environment", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you need frequent rest and prefer fewer transitions', what should they understand about Social Environment (especially being a guest and practicing humility)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., access to sacred spaces without emphasizing etiquette and consent?", "tags": ["Social Environment", "being a guest and practicing humility", "marketer", "mobility"]}
{"dimension": "Natural Attractions", "type": "laddering", "prompt": "Think about a specific moment in Bali during in rainy season when plans change and patience matters that left you with a moment of awe. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Natural Attractions (focus on respectful behavior in nature).", "tags": ["Natural Attractions", "respectful behavior in nature", "in rainy season when plans change and patience matters", "laddering"]}
{"dimension": "Infrastructure", "type": "laddering", "prompt": "Think about a specific moment in Bali during during a local ceremony where you are clearly a guest that left you with a shift in how you see daily life. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on signage for etiquette).", "tags": ["Infrastructure", "signage for etiquette", "during a local ceremony where you are clearly a guest", "laddering"]}
{"dimension": "Infrastructure", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during during a local ceremony where you are clearly a guest that left you with a shift in how you see daily life. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on signage for etiquette). How did it change your mood or sense of meaning that day?", "tags": ["Infrastructure", "signage for etiquette", "during a local ceremony where you are clearly a guest", "laddering", "probe"]}
{"dimension": "Value for Money + Atmosphere", "type": "tradeoff", "prompt": "Under this constraint: you get overwhelmed by busy places and need calmer, respectful alternatives. How do you trade off depth of understanding versus convenience when choosing cultural/spiritual experiences in Bali? Answer with examples touching Value for Money and Atmosphere.", "tags": ["Value for Money", "Atmosphere", "tradeoff", "crowds"]}
{"dimension": "Value for Money + Atmosphere", "type": "tradeoff+probe", "prompt": "Under this constraint: you get overwhelmed by busy places and need calmer, respectful alternatives. How do you trade off depth of understanding versus convenience when choosing cultural/spiritual experiences in Bali? Answer with examples touching Value for Money and Atmosphere. How did it change your mood or sense of meaning that day?", "tags": ["Value for Money", "Atmosphere", "tradeoff", "crowds", "probe"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "Tell me about a time when… your experience with jungle walks where you notice offerings and small shrines in Bali during on a quiet weekday compared to a busy weekend. From a Natural Attractions perspective, what stands out about respectful behavior in nature-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "respectful behavior in nature", "on a quiet weekday compared to a busy weekend"]}
{"dimension": "Social Environment", "type": "laddering", "prompt": "Think about a specific moment in Bali during during a local ceremony where you are clearly a guest that left you with a shift in how you see daily life. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Social Environment (focus on tourist behavior that disrupts).", "tags": ["Social Environment", "tourist behavior that disrupts", "during a local ceremony where you are clearly a guest", "laddering"]}
{"dimension": "Social Environment", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during during a local ceremony where you are clearly a guest that left you with a shift in how you see daily life. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Social Environment (focus on tourist behavior that disrupts). What did you notice first, and what happened next?", "tags": ["Social Environment", "tourist behavior that disrupts", "during a local ceremony where you are clearly a guest", "laddering", "probe"]}
{"dimension": "Infrastructure", "type": "single", "prompt": "What does 'authentic and respectful' look like to you when… your experience with a traditional market where everyday ritual shows up in small ways in Bali during with a local guide who emphasizes respect and context. From a Infrastructure perspective, what stands out about visitor flow that protects sacred spaces-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Infrastructure", "visitor flow that protects sacred spaces", "with a local guide who emphasizes respect and context"]}
{"dimension": "Natural Attractions", "type": "contrast", "prompt": "Compare an 'Instagram moment' versus a moment of quiet meaning that you don't photograph in Bali during early morning before the crowds. In terms of Natural Attractions, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether rules feel protective or performative as a cue in your explanation.", "tags": ["Natural Attractions", "contrast", "early morning before the crowds"]}
{"dimension": "Infrastructure", "type": "laddering", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a sense of calm. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on accessibility with dignity).", "tags": ["Infrastructure", "accessibility with dignity", "solo, when you can be more contemplative", "laddering"]}
{"dimension": "Infrastructure", "type": "laddering+probe", "prompt": "Think about a specific moment in Bali during solo, when you can be more contemplative that left you with a sense of calm. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Infrastructure (focus on accessibility with dignity). What boundary would you not cross again?", "tags": ["Infrastructure", "accessibility with dignity", "solo, when you can be more contemplative", "laddering", "probe"]}
{"dimension": "Value for Money", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to offerings and what not to touch in Bali during as a repeat visitor, noticing subtler layers. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Value for Money.", "tags": ["Value for Money", "etiquette", "offerings and what not to touch", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Value for Money", "type": "etiquette+probe", "prompt": "Walk me through an etiquette situation related to offerings and what not to touch in Bali during as a repeat visitor, noticing subtler layers. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Value for Money. What specifically made it feel respectful or not?", "tags": ["Value for Money", "etiquette", "offerings and what not to touch", "as a repeat visitor, noticing subtler layers", "probe"]}
{"dimension": "Atmosphere + Social Environment", "type": "tradeoff", "prompt": "Under this constraint: you have one full day and want it to feel coherent and meaningful. How do you trade off community benefit versus personal comfort when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Social Environment.", "tags": ["Atmosphere", "Social Environment", "tradeoff", "time"]}
{"dimension": "Atmosphere", "type": "single", "prompt": "What surprised you about the spiritual or cultural texture of… your experience with a community space where offerings are prepared in Bali during solo, when you can be more contemplative. From a Atmosphere perspective, what stands out about authenticity cues-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Atmosphere", "authenticity cues", "solo, when you can be more contemplative"]}
{"dimension": "Value for Money", "type": "contrast", "prompt": "Compare a rushed checklist day versus a slower day with fewer places but deeper presence in Bali during late afternoon when light softens and things slow down. In terms of Value for Money, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether rules feel protective or performative as a cue in your explanation.", "tags": ["Value for Money", "contrast", "late afternoon when light softens and things slow down"]}
{"dimension": "Social Environment", "type": "laddering", "prompt": "Think about a specific moment in Bali during as a repeat visitor, noticing subtler layers that left you with a shift in how you see daily life. What happened, how did you interpret it, and why did it feel meaningful? Frame your answer through Social Environment (focus on respectful interaction with locals).", "tags": ["Social Environment", "respectful interaction with locals", "as a repeat visitor, noticing subtler layers", "laddering"]}
{"dimension": "Value for Money + Natural Attractions", "type": "tradeoff", "prompt": "Under this constraint: you want to avoid commodifying sacred life. How do you trade off predictable pricing versus spontaneous discovery when choosing cultural/spiritual experiences in Bali? Answer with examples touching Value for Money and Natural Attractions.", "tags": ["Value for Money", "Natural Attractions", "tradeoff", "ethics"]}
{"dimension": "Atmosphere", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you have three days and want a gentle pace with time for reflection', what should they understand about Atmosphere (especially sacredness and emotional tone)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., a 'hidden local ritual' framed as a product?", "tags": ["Atmosphere", "sacredness and emotional tone", "marketer", "time"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "Tell me about a time when… your experience with waterfalls approached with a quiet, respectful mood in Bali during as a repeat visitor, noticing subtler layers. From a Natural Attractions perspective, what stands out about access vs sacred calm-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "access vs sacred calm", "as a repeat visitor, noticing subtler layers"]}
{"dimension": "Social Environment", "type": "etiquette", "prompt": "Walk me through an etiquette situation related to dress codes and modesty in Bali during during a local ceremony where you are clearly a guest. What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? Connect it to Social Environment.", "tags": ["Social Environment", "etiquette", "dress codes and modesty", "during a local ceremony where you are clearly a guest"]}
{"dimension": "Infrastructure", "type": "contrast", "prompt": "Compare a popular temple area versus a quieter village setting in Bali during late afternoon when light softens and things slow down. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the pace allows reflection or pushes consumption as a cue in your explanation.", "tags": ["Infrastructure", "contrast", "late afternoon when light softens and things slow down"]}
{"dimension": "Infrastructure", "type": "contrast+probe", "prompt": "Compare a popular temple area versus a quieter village setting in Bali during late afternoon when light softens and things slow down. In terms of Infrastructure, how do they differ for you as a respectful, culture/spirit-first traveler? Use whether the pace allows reflection or pushes consumption as a cue in your explanation. What would you tell a marketer to never claim in messaging?", "tags": ["Infrastructure", "contrast", "late afternoon when light softens and things slow down", "probe"]}
{"dimension": "Infrastructure", "type": "single", "prompt": "As a culturally/spiritually motivated traveler, how do you… your experience with a dance performance where you try to read symbolism in Bali during in rainy season when plans change and patience matters. From a Infrastructure perspective, what stands out about accessibility with dignity-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Infrastructure", "accessibility with dignity", "in rainy season when plans change and patience matters"]}
{"dimension": "Infrastructure", "type": "single+probe", "prompt": "As a culturally/spiritually motivated traveler, how do you… your experience with a dance performance where you try to read symbolism in Bali during in rainy season when plans change and patience matters. From a Infrastructure perspective, what stands out about accessibility with dignity-and why does it matter to you as a culture/spirit-oriented traveler? How did it change your mood or sense of meaning that day?", "tags": ["Infrastructure", "accessibility with dignity", "in rainy season when plans change and patience matters", "probe"]}
{"dimension": "Atmosphere", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you avoid steep stairs but still want meaningful cultural/spiritual moments', what should they understand about Atmosphere (especially authenticity cues)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., permission to photograph everything?", "tags": ["Atmosphere", "authenticity cues", "marketer", "mobility"]}
{"dimension": "Value for Money", "type": "single", "prompt": "Tell me about a time when… your experience with a community space where offerings are prepared in Bali during on a quiet weekday compared to a busy weekend. From a Value for Money perspective, what stands out about community benefit-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Value for Money", "community benefit", "on a quiet weekday compared to a busy weekend"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "As a culturally/spiritually motivated traveler, how do you… your experience with waterfalls approached with a quiet, respectful mood in Bali during with a local guide who emphasizes respect and context. From a Natural Attractions perspective, what stands out about routes that support reflection-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "routes that support reflection", "with a local guide who emphasizes respect and context"]}
{"dimension": "Value for Money + Atmosphere", "type": "tradeoff", "prompt": "Under this constraint: you want a balance: one iconic site, mostly quieter, community-rooted places. How do you trade off predictable pricing versus spontaneous discovery when choosing cultural/spiritual experiences in Bali? Answer with examples touching Value for Money and Atmosphere.", "tags": ["Value for Money", "Atmosphere", "tradeoff", "crowds"]}
{"dimension": "Atmosphere + Value for Money", "type": "tradeoff", "prompt": "Under this constraint: you'll pay more if it supports local communities transparently. How do you trade off photography versus presence and respect when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Value for Money.", "tags": ["Atmosphere", "Value for Money", "tradeoff", "budget"]}
{"dimension": "Atmosphere", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you want to avoid commodifying sacred life', what should they understand about Atmosphere (especially silence, sound, and pace)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., a ceremony 'for tourists' as the main attraction?", "tags": ["Atmosphere", "silence, sound, and pace", "marketer", "ethics"]}
{"dimension": "Natural Attractions", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you only have 6 hours but want depth, not a checklist', what should they understand about Natural Attractions (especially quiet awe vs spectacle)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., guaranteed 'authentic spirituality' on demand?", "tags": ["Natural Attractions", "quiet awe vs spectacle", "marketer", "time"]}
{"dimension": "Natural Attractions", "type": "contrast", "prompt": "Compare a rushed checklist day versus a slower day with fewer places but deeper presence in Bali during in rainy season when plans change and patience matters. In terms of Natural Attractions, how do they differ for you as a respectful, culture/spirit-first traveler? Use performative 'authenticity' for tourists as a cue in your explanation.", "tags": ["Natural Attractions", "contrast", "in rainy season when plans change and patience matters"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "As a culturally/spiritually motivated traveler, how do you… your experience with waterfalls approached with a quiet, respectful mood in Bali during solo, when you can be more contemplative. From a Natural Attractions perspective, what stands out about quiet awe vs spectacle-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "quiet awe vs spectacle", "solo, when you can be more contemplative"]}
{"dimension": "Infrastructure", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you have one full day and want it to feel coherent and meaningful', what should they understand about Infrastructure (especially signage for etiquette)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., permission to photograph everything?", "tags": ["Infrastructure", "signage for etiquette", "marketer", "time"]}
{"dimension": "Natural Attractions + Value for Money", "type": "tradeoff", "prompt": "Under this constraint: you'll pay more if it supports local communities transparently. How do you trade off predictable pricing versus spontaneous discovery when choosing cultural/spiritual experiences in Bali? Answer with examples touching Natural Attractions and Value for Money.", "tags": ["Natural Attractions", "Value for Money", "tradeoff", "budget"]}
{"dimension": "Natural Attractions + Value for Money", "type": "tradeoff+probe", "prompt": "Under this constraint: you'll pay more if it supports local communities transparently. How do you trade off predictable pricing versus spontaneous discovery when choosing cultural/spiritual experiences in Bali? Answer with examples touching Natural Attractions and Value for Money. What would have improved it without turning it into a spectacle?", "tags": ["Natural Attractions", "Value for Money", "tradeoff", "budget", "probe"]}
{"dimension": "Natural Attractions + Infrastructure", "type": "tradeoff", "prompt": "Under this constraint: you have a modest budget but still want cultural depth and fairness. How do you trade off community benefit versus personal comfort when choosing cultural/spiritual experiences in Bali? Answer with examples touching Natural Attractions and Infrastructure.", "tags": ["Natural Attractions", "Infrastructure", "tradeoff", "budget"]}
{"dimension": "Atmosphere + Infrastructure", "type": "tradeoff", "prompt": "Under this constraint: you want to avoid crowds because they dilute atmosphere and respect. How do you trade off photography versus presence and respect when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Infrastructure.", "tags": ["Atmosphere", "Infrastructure", "tradeoff", "crowds"]}
{"dimension": "Atmosphere + Natural Attractions", "type": "tradeoff", "prompt": "Under this constraint: visibility is low and your sunrise plan may fail-how do you adapt meaningfully?. How do you trade off photography versus presence and respect when choosing cultural/spiritual experiences in Bali? Answer with examples touching Atmosphere and Natural Attractions.", "tags": ["Atmosphere", "Natural Attractions", "tradeoff", "weather"]}
{"dimension": "Social Environment", "type": "marketer_advice", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you get overwhelmed by busy places and need calmer, respectful alternatives', what should they understand about Social Environment (especially consent and boundaries)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., permission to photograph everything?", "tags": ["Social Environment", "consent and boundaries", "marketer", "crowds"]}
{"dimension": "Social Environment", "type": "marketer_advice+probe", "prompt": "If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint 'you get overwhelmed by busy places and need calmer, respectful alternatives', what should they understand about Social Environment (especially consent and boundaries)? Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., permission to photograph everything? What did you notice first, and what happened next?", "tags": ["Social Environment", "consent and boundaries", "marketer", "crowds", "probe"]}
{"dimension": "Natural Attractions", "type": "single", "prompt": "Walk me through… your experience with rice terraces that feel lived-in rather than staged in Bali during in rainy season when plans change and patience matters. From a Natural Attractions perspective, what stands out about routes that support reflection-and why does it matter to you as a culture/spirit-oriented traveler?", "tags": ["Natural Attractions", "routes that support reflection", "in rainy season when plans change and patience matters"]}
{"dimension": "Natural Attractions", "type": "single+probe", "prompt": "Walk me through… your experience with rice terraces that feel lived-in rather than staged in Bali during in rainy season when plans change and patience matters. From a Natural Attractions perspective, what stands out about routes that support reflection-and why does it matter to you as a culture/spirit-oriented traveler? How did it change your mood or sense of meaning that day?", "tags": ["Natural Attractions", "routes that support reflection", "in rainy season when plans change and patience matters", "probe"]}

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

View File

@@ -1,722 +0,0 @@
<!DOCTYPE html>
<html>
<head>
<meta http-equiv="content-type" content="text/html; charset=UTF-8" />
<script src="https://cdn.jsdelivr.net/npm/leaflet@1.9.3/dist/leaflet.js"></script>
<script src="https://code.jquery.com/jquery-3.7.1.min.js"></script>
<script src="https://cdn.jsdelivr.net/npm/bootstrap@5.2.2/dist/js/bootstrap.bundle.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/Leaflet.awesome-markers/2.0.2/leaflet.awesome-markers.js"></script>
<link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/leaflet@1.9.3/dist/leaflet.css"/>
<link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/bootstrap@5.2.2/dist/css/bootstrap.min.css"/>
<link rel="stylesheet" href="https://netdna.bootstrapcdn.com/bootstrap/3.0.0/css/bootstrap-glyphicons.css"/>
<link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/@fortawesome/fontawesome-free@6.2.0/css/all.min.css"/>
<link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/Leaflet.awesome-markers/2.0.2/leaflet.awesome-markers.css"/>
<link rel="stylesheet" href="https://cdn.jsdelivr.net/gh/python-visualization/folium/folium/templates/leaflet.awesome.rotate.min.css"/>
<meta name="viewport" content="width=device-width,
initial-scale=1.0, maximum-scale=1.0, user-scalable=no" />
<style>
#map_8827cd9e27b957cf12c465a4efd53c8e {
position: relative;
width: 100.0%;
height: 100.0%;
left: 0.0%;
top: 0.0%;
}
.leaflet-container { font-size: 1rem; }
</style>
<style>html, body {
width: 100%;
height: 100%;
margin: 0;
padding: 0;
}
</style>
<style>#map {
position:absolute;
top:0;
bottom:0;
right:0;
left:0;
}
</style>
<script>
L_NO_TOUCH = false;
L_DISABLE_3D = false;
</script>
</head>
<body>
<div class="folium-map" id="map_8827cd9e27b957cf12c465a4efd53c8e" ></div>
</body>
<script>
var map_8827cd9e27b957cf12c465a4efd53c8e = L.map(
"map_8827cd9e27b957cf12c465a4efd53c8e",
{
center: [-8.45, 115.2],
crs: L.CRS.EPSG3857,
...{
"zoom": 9,
"zoomControl": true,
"preferCanvas": false,
"zoomSnap": 0.1,
"zoomDelta": 0.1,
}
}
);
L.control.scale().addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
var tile_layer_f4855f09fad51b54d44fb73a67dccf4e = L.tileLayer(
"https://{s}.basemaps.cartocdn.com/light_all/{z}/{x}/{y}{r}.png",
{
"minZoom": 0,
"maxZoom": 18,
"maxNativeZoom": 18,
"noWrap": false,
"attribution": "\u0026copy; \u003ca href=\"https://www.openstreetmap.org/copyright\"\u003eOpenStreetMap\u003c/a\u003e contributors \u0026copy; \u003ca href=\"https://carto.com/attributions\"\u003eCARTO\u003c/a\u003e",
"subdomains": "abcd",
"detectRetina": false,
"tms": false,
"opacity": 1,
}
);
tile_layer_f4855f09fad51b54d44fb73a67dccf4e.addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
var circle_marker_5b4ae9dceb9c71755162320a031409f2 = L.circleMarker(
[-8.5187511, 115.2585973],
{"bubblingMouseEvents": true, "color": "#3388ff", "dashArray": null, "dashOffset": null, "fill": true, "fillColor": "#3388ff", "fillOpacity": 1.0, "fillRule": "evenodd", "lineCap": "round", "lineJoin": "round", "opacity": 1.0, "radius": 4, "stroke": true, "weight": 2}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
circle_marker_5b4ae9dceb9c71755162320a031409f2.bindTooltip(
`<div>
Sacred Monkey Forest
</div>`,
{
"sticky": true,
}
);
var marker_602eb000016a6b30ed7c72519753de07 = L.marker(
[-8.5187511, 115.2585973],
{
}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
var div_icon_452f3f1faacc701744d7c02bacafef1b = L.divIcon({
"html": "\u003cdiv style=\"\npadding: 3px 6px;\nfont-size: 16px;\nfont-weight: 600;\ncolor: #111;\nwhite-space: nowrap;\n\"\u003eSacred Monkey Forest\u003c/div\u003e",
"iconSize": [1, 1],
"iconAnchor": [-8, 12],
"className": "empty",
});
marker_602eb000016a6b30ed7c72519753de07.setIcon(div_icon_452f3f1faacc701744d7c02bacafef1b);
var circle_marker_2e56d660baf35eabcbfa98ff6e8d8d11 = L.circleMarker(
[-8.8291432, 115.0849069],
{"bubblingMouseEvents": true, "color": "#3388ff", "dashArray": null, "dashOffset": null, "fill": true, "fillColor": "#3388ff", "fillOpacity": 1.0, "fillRule": "evenodd", "lineCap": "round", "lineJoin": "round", "opacity": 1.0, "radius": 4, "stroke": true, "weight": 2}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
circle_marker_2e56d660baf35eabcbfa98ff6e8d8d11.bindTooltip(
`<div>
Uluwatu Temple
</div>`,
{
"sticky": true,
}
);
var marker_5dd8dbfb675ede190e11f0f7ca07c3bc = L.marker(
[-8.8291432, 115.0849069],
{
}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
var div_icon_2648ca76c6782f2660a05bdde37e3616 = L.divIcon({
"html": "\u003cdiv style=\"\npadding: 3px 6px;\nfont-size: 16px;\nfont-weight: 600;\ncolor: #111;\nwhite-space: nowrap;\n\"\u003eUluwatu Temple\u003c/div\u003e",
"iconSize": [1, 1],
"iconAnchor": [-8, 12],
"className": "empty",
});
marker_5dd8dbfb675ede190e11f0f7ca07c3bc.setIcon(div_icon_2648ca76c6782f2660a05bdde37e3616);
var circle_marker_bb05fc2ce9b498a72f2d5403de4c057a = L.circleMarker(
[-8.673889, 115.263611],
{"bubblingMouseEvents": true, "color": "#3388ff", "dashArray": null, "dashOffset": null, "fill": true, "fillColor": "#3388ff", "fillOpacity": 1.0, "fillRule": "evenodd", "lineCap": "round", "lineJoin": "round", "opacity": 1.0, "radius": 4, "stroke": true, "weight": 2}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
circle_marker_bb05fc2ce9b498a72f2d5403de4c057a.bindTooltip(
`<div>
Sanur Beach
</div>`,
{
"sticky": true,
}
);
var marker_ef590832f06fd20561b013b68756a271 = L.marker(
[-8.673889, 115.263611],
{
}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
var div_icon_6c27875889040e5114bd58b6dd78d565 = L.divIcon({
"html": "\u003cdiv style=\"\npadding: 3px 6px;\nfont-size: 16px;\nfont-weight: 600;\ncolor: #111;\nwhite-space: nowrap;\n\"\u003eSanur Beach\u003c/div\u003e",
"iconSize": [1, 1],
"iconAnchor": [-8, 12],
"className": "empty",
});
marker_ef590832f06fd20561b013b68756a271.setIcon(div_icon_6c27875889040e5114bd58b6dd78d565);
var circle_marker_238718621a21030747436a452bfb3299 = L.circleMarker(
[-8.618786, 115.086733],
{"bubblingMouseEvents": true, "color": "#3388ff", "dashArray": null, "dashOffset": null, "fill": true, "fillColor": "#3388ff", "fillOpacity": 1.0, "fillRule": "evenodd", "lineCap": "round", "lineJoin": "round", "opacity": 1.0, "radius": 4, "stroke": true, "weight": 2}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
circle_marker_238718621a21030747436a452bfb3299.bindTooltip(
`<div>
Tanah Lot Temple
</div>`,
{
"sticky": true,
}
);
var marker_ae5f715c478f42e3f143541f3234b0f9 = L.marker(
[-8.618786, 115.086733],
{
}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
var div_icon_66d943b7af7c007ae0e4b8134ca4900f = L.divIcon({
"html": "\u003cdiv style=\"\npadding: 3px 6px;\nfont-size: 16px;\nfont-weight: 600;\ncolor: #111;\nwhite-space: nowrap;\n\"\u003eTanah Lot Temple\u003c/div\u003e",
"iconSize": [1, 1],
"iconAnchor": [-8, 12],
"className": "empty",
});
marker_ae5f715c478f42e3f143541f3234b0f9.setIcon(div_icon_66d943b7af7c007ae0e4b8134ca4900f);
var circle_marker_8771a4fca9bbd4915b07cc2700c5e89e = L.circleMarker(
[-8.6925, 115.158611],
{"bubblingMouseEvents": true, "color": "#3388ff", "dashArray": null, "dashOffset": null, "fill": true, "fillColor": "#3388ff", "fillOpacity": 1.0, "fillRule": "evenodd", "lineCap": "round", "lineJoin": "round", "opacity": 1.0, "radius": 4, "stroke": true, "weight": 2}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
circle_marker_8771a4fca9bbd4915b07cc2700c5e89e.bindTooltip(
`<div>
Seminyak Beach
</div>`,
{
"sticky": true,
}
);
var marker_6bb0332dd2f02d55130e014b19bffefe = L.marker(
[-8.6925, 115.158611],
{
}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
var div_icon_9a4f199406a6917c3729d735293beec4 = L.divIcon({
"html": "\u003cdiv style=\"\npadding: 3px 6px;\nfont-size: 16px;\nfont-weight: 600;\ncolor: #111;\nwhite-space: nowrap;\n\"\u003eSeminyak Beach\u003c/div\u003e",
"iconSize": [1, 1],
"iconAnchor": [-8, 12],
"className": "empty",
});
marker_6bb0332dd2f02d55130e014b19bffefe.setIcon(div_icon_9a4f199406a6917c3729d735293beec4);
var circle_marker_51e42098d14cee4d8bbba1e8de44cb1a = L.circleMarker(
[-8.791918, 115.225375],
{"bubblingMouseEvents": true, "color": "#3388ff", "dashArray": null, "dashOffset": null, "fill": true, "fillColor": "#3388ff", "fillOpacity": 1.0, "fillRule": "evenodd", "lineCap": "round", "lineJoin": "round", "opacity": 1.0, "radius": 4, "stroke": true, "weight": 2}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
circle_marker_51e42098d14cee4d8bbba1e8de44cb1a.bindTooltip(
`<div>
Nusa Dua
</div>`,
{
"sticky": true,
}
);
var marker_6db92ef3d1d15b93e2f8951453121e0e = L.marker(
[-8.791918, 115.225375],
{
}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
var div_icon_3a87774e80c4c355e408bb97f02e9e04 = L.divIcon({
"html": "\u003cdiv style=\"\npadding: 3px 6px;\nfont-size: 16px;\nfont-weight: 600;\ncolor: #111;\nwhite-space: nowrap;\n\"\u003eNusa Dua\u003c/div\u003e",
"iconSize": [1, 1],
"iconAnchor": [-8, -8],
"className": "empty",
});
marker_6db92ef3d1d15b93e2f8951453121e0e.setIcon(div_icon_3a87774e80c4c355e408bb97f02e9e04);
var circle_marker_d43c0263ab8f5111318f226a7ebd0a1a = L.circleMarker(
[-8.59128, 115.26456],
{"bubblingMouseEvents": true, "color": "#3388ff", "dashArray": null, "dashOffset": null, "fill": true, "fillColor": "#3388ff", "fillOpacity": 1.0, "fillRule": "evenodd", "lineCap": "round", "lineJoin": "round", "opacity": 1.0, "radius": 4, "stroke": true, "weight": 2}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
circle_marker_d43c0263ab8f5111318f226a7ebd0a1a.bindTooltip(
`<div>
Bali Zoo
</div>`,
{
"sticky": true,
}
);
var marker_045f45d15d9bb0bf3544ec15c15e72ca = L.marker(
[-8.59128, 115.26456],
{
}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
var div_icon_17abbfa0aa47dc5e2b90a3f3ed4031a5 = L.divIcon({
"html": "\u003cdiv style=\"\npadding: 3px 6px;\nfont-size: 16px;\nfont-weight: 600;\ncolor: #111;\nwhite-space: nowrap;\n\"\u003eBali Zoo\u003c/div\u003e",
"iconSize": [1, 1],
"iconAnchor": [-8, 12],
"className": "empty",
});
marker_045f45d15d9bb0bf3544ec15c15e72ca.setIcon(div_icon_17abbfa0aa47dc5e2b90a3f3ed4031a5);
var circle_marker_a7d61c5f9e133c503602ce1a176641d0 = L.circleMarker(
[-8.23889, 115.3775],
{"bubblingMouseEvents": true, "color": "#3388ff", "dashArray": null, "dashOffset": null, "fill": true, "fillColor": "#3388ff", "fillOpacity": 1.0, "fillRule": "evenodd", "lineCap": "round", "lineJoin": "round", "opacity": 1.0, "radius": 4, "stroke": true, "weight": 2}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
circle_marker_a7d61c5f9e133c503602ce1a176641d0.bindTooltip(
`<div>
Mount Batur
</div>`,
{
"sticky": true,
}
);
var marker_4158f6f747343e4e3a34a6decc5862c6 = L.marker(
[-8.23889, 115.3775],
{
}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
var div_icon_a68ad209a222c1c6d07276e7c80e8d1c = L.divIcon({
"html": "\u003cdiv style=\"\npadding: 3px 6px;\nfont-size: 16px;\nfont-weight: 600;\ncolor: #111;\nwhite-space: nowrap;\n\"\u003eMount Batur\u003c/div\u003e",
"iconSize": [1, 1],
"iconAnchor": [-8, 12],
"className": "empty",
});
marker_4158f6f747343e4e3a34a6decc5862c6.setIcon(div_icon_a68ad209a222c1c6d07276e7c80e8d1c);
var circle_marker_aed36500c42e8fc9bf3376b0e1bb2ed9 = L.circleMarker(
[-8.275177, 115.1668487],
{"bubblingMouseEvents": true, "color": "#3388ff", "dashArray": null, "dashOffset": null, "fill": true, "fillColor": "#3388ff", "fillOpacity": 1.0, "fillRule": "evenodd", "lineCap": "round", "lineJoin": "round", "opacity": 1.0, "radius": 4, "stroke": true, "weight": 2}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
circle_marker_aed36500c42e8fc9bf3376b0e1bb2ed9.bindTooltip(
`<div>
Ulun Danu Bratan
</div>`,
{
"sticky": true,
}
);
var marker_22a12c5d4517fbdbba1d7e4b93716e8b = L.marker(
[-8.275177, 115.1668487],
{
}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
var div_icon_6ba395bc4ffc650104f4c3b4b96fa477 = L.divIcon({
"html": "\u003cdiv style=\"\npadding: 3px 6px;\nfont-size: 16px;\nfont-weight: 600;\ncolor: #111;\nwhite-space: nowrap;\n\"\u003eUlun Danu Bratan\u003c/div\u003e",
"iconSize": [1, 1],
"iconAnchor": [-8, 12],
"className": "empty",
});
marker_22a12c5d4517fbdbba1d7e4b93716e8b.setIcon(div_icon_6ba395bc4ffc650104f4c3b4b96fa477);
var circle_marker_9e78cc21d0b245c95b3a65818241d6b1 = L.circleMarker(
[-8.411944, 115.5875],
{"bubblingMouseEvents": true, "color": "#3388ff", "dashArray": null, "dashOffset": null, "fill": true, "fillColor": "#3388ff", "fillOpacity": 1.0, "fillRule": "evenodd", "lineCap": "round", "lineJoin": "round", "opacity": 1.0, "radius": 4, "stroke": true, "weight": 2}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
circle_marker_9e78cc21d0b245c95b3a65818241d6b1.bindTooltip(
`<div>
Tirta Gangga
</div>`,
{
"sticky": true,
}
);
var marker_acadfa63b305a6930490ce129db70d3c = L.marker(
[-8.411944, 115.5875],
{
}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
var div_icon_6701732f8753d0cf3dd086583f966d47 = L.divIcon({
"html": "\u003cdiv style=\"\npadding: 3px 6px;\nfont-size: 16px;\nfont-weight: 600;\ncolor: #111;\nwhite-space: nowrap;\n\"\u003eTirta Gangga\u003c/div\u003e",
"iconSize": [1, 1],
"iconAnchor": [-8, 12],
"className": "empty",
});
marker_acadfa63b305a6930490ce129db70d3c.setIcon(div_icon_6701732f8753d0cf3dd086583f966d47);
var circle_marker_2bfd51976f3bff708534a582e4c0bf07 = L.circleMarker(
[-8.84586, 115.18417],
{"bubblingMouseEvents": true, "color": "#3388ff", "dashArray": null, "dashOffset": null, "fill": true, "fillColor": "#3388ff", "fillOpacity": 1.0, "fillRule": "evenodd", "lineCap": "round", "lineJoin": "round", "opacity": 1.0, "radius": 4, "stroke": true, "weight": 2}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
circle_marker_2bfd51976f3bff708534a582e4c0bf07.bindTooltip(
`<div>
Pandawa Beach
</div>`,
{
"sticky": true,
}
);
var marker_ed85f748464576595c1995b90bd453ef = L.marker(
[-8.84586, 115.18417],
{
}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
var div_icon_760441791416950ed05bce0760e785b3 = L.divIcon({
"html": "\u003cdiv style=\"\npadding: 3px 6px;\nfont-size: 16px;\nfont-weight: 600;\ncolor: #111;\nwhite-space: nowrap;\n\"\u003ePandawa Beach\u003c/div\u003e",
"iconSize": [1, 1],
"iconAnchor": [-8, 12],
"className": "empty",
});
marker_ed85f748464576595c1995b90bd453ef.setIcon(div_icon_760441791416950ed05bce0760e785b3);
var circle_marker_7905afef37932aa1ee010c0afc07b0e1 = L.circleMarker(
[-8.79093, 115.16006],
{"bubblingMouseEvents": true, "color": "#3388ff", "dashArray": null, "dashOffset": null, "fill": true, "fillColor": "#3388ff", "fillOpacity": 1.0, "fillRule": "evenodd", "lineCap": "round", "lineJoin": "round", "opacity": 1.0, "radius": 4, "stroke": true, "weight": 2}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
circle_marker_7905afef37932aa1ee010c0afc07b0e1.bindTooltip(
`<div>
Jimbaran Bay
</div>`,
{
"sticky": true,
}
);
var marker_b2515a0a726a9b31bb1349a731e14e83 = L.marker(
[-8.79093, 115.16006],
{
}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
var div_icon_66b39b3aaa2ce168a11eb1e5842c4af5 = L.divIcon({
"html": "\u003cdiv style=\"\npadding: 3px 6px;\nfont-size: 16px;\nfont-weight: 600;\ncolor: #111;\nwhite-space: nowrap;\n\"\u003eJimbaran Bay\u003c/div\u003e",
"iconSize": [1, 1],
"iconAnchor": [-8, 12],
"className": "empty",
});
marker_b2515a0a726a9b31bb1349a731e14e83.setIcon(div_icon_66b39b3aaa2ce168a11eb1e5842c4af5);
var circle_marker_2e4a4da4c607525d0bd3ced67f91ba28 = L.circleMarker(
[-8.6975074, 115.1610332],
{"bubblingMouseEvents": true, "color": "#3388ff", "dashArray": null, "dashOffset": null, "fill": true, "fillColor": "#3388ff", "fillOpacity": 1.0, "fillRule": "evenodd", "lineCap": "round", "lineJoin": "round", "opacity": 1.0, "radius": 4, "stroke": true, "weight": 2}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
circle_marker_2e4a4da4c607525d0bd3ced67f91ba28.bindTooltip(
`<div>
Double Six Beach
</div>`,
{
"sticky": true,
}
);
var marker_610df1ccee05f9940b5331a8c95b1ecb = L.marker(
[-8.6975074, 115.1610332],
{
}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
var div_icon_ca934069aed3a67e09cd3417a4f13721 = L.divIcon({
"html": "\u003cdiv style=\"\npadding: 3px 6px;\nfont-size: 16px;\nfont-weight: 600;\ncolor: #111;\nwhite-space: nowrap;\n\"\u003eDouble Six Beach\u003c/div\u003e",
"iconSize": [1, 1],
"iconAnchor": [-8, -8],
"className": "empty",
});
marker_610df1ccee05f9940b5331a8c95b1ecb.setIcon(div_icon_ca934069aed3a67e09cd3417a4f13721);
var circle_marker_6df0392885bf12f353c499f20e4408e4 = L.circleMarker(
[-8.690565, 115.4302884],
{"bubblingMouseEvents": true, "color": "#3388ff", "dashArray": null, "dashOffset": null, "fill": true, "fillColor": "#3388ff", "fillOpacity": 1.0, "fillRule": "evenodd", "lineCap": "round", "lineJoin": "round", "opacity": 1.0, "radius": 4, "stroke": true, "weight": 2}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
circle_marker_6df0392885bf12f353c499f20e4408e4.bindTooltip(
`<div>
Devil Tears
</div>`,
{
"sticky": true,
}
);
var marker_cadbe0b40f9ed26e08e22f0c239a31ee = L.marker(
[-8.690565, 115.4302884],
{
}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
var div_icon_7b530133b508d4cc268be38f800e05a6 = L.divIcon({
"html": "\u003cdiv style=\"\npadding: 3px 6px;\nfont-size: 16px;\nfont-weight: 600;\ncolor: #111;\nwhite-space: nowrap;\n\"\u003eDevil Tears\u003c/div\u003e",
"iconSize": [1, 1],
"iconAnchor": [-8, 12],
"className": "empty",
});
marker_cadbe0b40f9ed26e08e22f0c239a31ee.setIcon(div_icon_7b530133b508d4cc268be38f800e05a6);
var circle_marker_fa698e9847acafbbf4b5516fc8471f66 = L.circleMarker(
[-8.750644, 115.474693],
{"bubblingMouseEvents": true, "color": "#3388ff", "dashArray": null, "dashOffset": null, "fill": true, "fillColor": "#3388ff", "fillOpacity": 1.0, "fillRule": "evenodd", "lineCap": "round", "lineJoin": "round", "opacity": 1.0, "radius": 4, "stroke": true, "weight": 2}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
circle_marker_fa698e9847acafbbf4b5516fc8471f66.bindTooltip(
`<div>
Kelingking Beach
</div>`,
{
"sticky": true,
}
);
var marker_2313407fb3b0e9bf2b11e9e793e558bf = L.marker(
[-8.750644, 115.474693],
{
}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
var div_icon_cbcfa736ca9fc77147f3a561fff80c16 = L.divIcon({
"html": "\u003cdiv style=\"\npadding: 3px 6px;\nfont-size: 16px;\nfont-weight: 600;\ncolor: #111;\nwhite-space: nowrap;\n\"\u003eKelingking Beach\u003c/div\u003e",
"iconSize": [1, 1],
"iconAnchor": [-8, 12],
"className": "empty",
});
marker_2313407fb3b0e9bf2b11e9e793e558bf.setIcon(div_icon_cbcfa736ca9fc77147f3a561fff80c16);
var circle_marker_47bc40126cf9256b5447c4e1983393ce = L.circleMarker(
[-8.395195, 115.647885],
{"bubblingMouseEvents": true, "color": "#3388ff", "dashArray": null, "dashOffset": null, "fill": true, "fillColor": "#3388ff", "fillOpacity": 1.0, "fillRule": "evenodd", "lineCap": "round", "lineJoin": "round", "opacity": 1.0, "radius": 4, "stroke": true, "weight": 2}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
circle_marker_47bc40126cf9256b5447c4e1983393ce.bindTooltip(
`<div>
Lempuyang Temple
</div>`,
{
"sticky": true,
}
);
var marker_7bb290b54979c3fed12bbe3ab8dd7b69 = L.marker(
[-8.395195, 115.647885],
{
}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
var div_icon_5a34c539b7720057973544f25ff2c779 = L.divIcon({
"html": "\u003cdiv style=\"\npadding: 3px 6px;\nfont-size: 16px;\nfont-weight: 600;\ncolor: #111;\nwhite-space: nowrap;\n\"\u003eLempuyang Temple\u003c/div\u003e",
"iconSize": [1, 1],
"iconAnchor": [-8, 12],
"className": "empty",
});
marker_7bb290b54979c3fed12bbe3ab8dd7b69.setIcon(div_icon_5a34c539b7720057973544f25ff2c779);
var circle_marker_1a8ec5245976c9d8de699ed61d02ba8f = L.circleMarker(
[-8.639877, 115.140172],
{"bubblingMouseEvents": true, "color": "#3388ff", "dashArray": null, "dashOffset": null, "fill": true, "fillColor": "#3388ff", "fillOpacity": 1.0, "fillRule": "evenodd", "lineCap": "round", "lineJoin": "round", "opacity": 1.0, "radius": 4, "stroke": true, "weight": 2}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
circle_marker_1a8ec5245976c9d8de699ed61d02ba8f.bindTooltip(
`<div>
Canggu Beach
</div>`,
{
"sticky": true,
}
);
var marker_f439782dac43c98e72b2ee679dcd6acf = L.marker(
[-8.639877, 115.140172],
{
}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
var div_icon_9c3d9bf434778a4e3b4c9e756f6f8a22 = L.divIcon({
"html": "\u003cdiv style=\"\npadding: 3px 6px;\nfont-size: 16px;\nfont-weight: 600;\ncolor: #111;\nwhite-space: nowrap;\n\"\u003eCanggu Beach\u003c/div\u003e",
"iconSize": [1, 1],
"iconAnchor": [-8, 12],
"className": "empty",
});
marker_f439782dac43c98e72b2ee679dcd6acf.setIcon(div_icon_9c3d9bf434778a4e3b4c9e756f6f8a22);
var circle_marker_ec714608b52782227236e4b16fc3de53 = L.circleMarker(
[-8.340686, 115.503622],
{"bubblingMouseEvents": true, "color": "#3388ff", "dashArray": null, "dashOffset": null, "fill": true, "fillColor": "#3388ff", "fillOpacity": 1.0, "fillRule": "evenodd", "lineCap": "round", "lineJoin": "round", "opacity": 1.0, "radius": 4, "stroke": true, "weight": 2}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
circle_marker_ec714608b52782227236e4b16fc3de53.bindTooltip(
`<div>
Mount Agung
</div>`,
{
"sticky": true,
}
);
var marker_0a2b278b113476c9568e4a0cb1815202 = L.marker(
[-8.340686, 115.503622],
{
}
).addTo(map_8827cd9e27b957cf12c465a4efd53c8e);
var div_icon_c36cada9c49b18e2afaed6243a4426f1 = L.divIcon({
"html": "\u003cdiv style=\"\npadding: 3px 6px;\nfont-size: 16px;\nfont-weight: 600;\ncolor: #111;\nwhite-space: nowrap;\n\"\u003eMount Agung\u003c/div\u003e",
"iconSize": [1, 1],
"iconAnchor": [-8, 12],
"className": "empty",
});
marker_0a2b278b113476c9568e4a0cb1815202.setIcon(div_icon_c36cada9c49b18e2afaed6243a4426f1);
map_8827cd9e27b957cf12c465a4efd53c8e.fitBounds(
[[-8.85086, 115.0799069], [-8.233889999999999, 115.652885]],
{}
);
</script>
</html>

View File

@@ -1,116 +0,0 @@
# bali_map.py
# Creates an interactive HTML map of Bali (and nearby islands) with readable, always-visible labels.
import folium
DESTINATIONS = {
"Sacred Monkey Forest": (
-8.5187511,
115.2585973,
), # :contentReference[oaicite:0]{index=0}
"Uluwatu Temple": (
-8.8291432,
115.0849069,
), # :contentReference[oaicite:1]{index=1}
"Sanur Beach": (-8.673889, 115.263611), # :contentReference[oaicite:2]{index=2}
"Tanah Lot Temple": (
-8.618786,
115.086733,
), # :contentReference[oaicite:3]{index=3}
"Seminyak Beach": (-8.6925, 115.158611), # :contentReference[oaicite:4]{index=4}
"Nusa Dua": (-8.791918, 115.225375), # :contentReference[oaicite:5]{index=5}
"Bali Zoo": (-8.59128, 115.26456), # :contentReference[oaicite:6]{index=6}
"Mount Batur": (-8.23889, 115.37750), # :contentReference[oaicite:7]{index=7}
"Ulun Danu Bratan": (
-8.275177,
115.1668487,
), # :contentReference[oaicite:8]{index=8}
"Tirta Gangga": (-8.411944, 115.5875), # :contentReference[oaicite:9]{index=9}
"Pandawa Beach": (-8.84586, 115.18417), # :contentReference[oaicite:10]{index=10}
"Jimbaran Bay": (-8.79093, 115.16006), # :contentReference[oaicite:11]{index=11}
"Double Six Beach": (
-8.6975074,
115.1610332,
), # :contentReference[oaicite:12]{index=12}
"Devil Tears": (-8.6905650, 115.4302884), # :contentReference[oaicite:13]{index=13}
"Kelingking Beach": (
-8.750644,
115.474693,
), # :contentReference[oaicite:14]{index=14}
"Lempuyang Temple": (
-8.395195,
115.647885,
), # :contentReference[oaicite:15]{index=15}
"Canggu Beach": (-8.639877, 115.140172), # :contentReference[oaicite:16]{index=16}
"Mount Agung": (-8.340686, 115.503622), # :contentReference[oaicite:17]{index=17}
}
# --- Map base ---
m = folium.Map(
location=(-8.45, 115.20),
zoom_start=9,
tiles="CartoDB positron",
control_scale=True,
zoom_snap=0.1,
zoom_delta=0.1,
max_zoom=18,
)
# --- Label styling (readable, always visible) ---
LABEL_STYLE = """
padding: 3px 6px;
font-size: 16px;
font-weight: 600;
color: #111;
white-space: nowrap;
"""
# Per-label pixel offsets (x, y). Positive y moves the label down.
LABEL_OFFSETS = {
"Nusa Dua": (0, 20),
"Double Six Beach": (0, 20),
}
def add_point_with_label(name: str, lat: float, lon: float):
# Small dot at the exact coordinate
folium.CircleMarker(
location=(lat, lon),
radius=4,
weight=2,
fill=True,
fill_opacity=1.0,
tooltip=name, # still useful on hover
).add_to(m)
# Slightly offset label so it doesn't sit directly on the dot
offset_x, offset_y = LABEL_OFFSETS.get(name, (0, 0))
base_anchor_x, base_anchor_y = (-8, 12)
folium.Marker(
location=(lat, lon),
icon=folium.DivIcon(
icon_size=(1, 1),
icon_anchor=(
base_anchor_x + offset_x,
base_anchor_y - offset_y,
), # pixel offset: left/up relative to point
html=f'<div style="{LABEL_STYLE}">{name}</div>',
),
).add_to(m)
# Add all destinations
lats, lons = [], []
for name, (lat, lon) in DESTINATIONS.items():
add_point_with_label(name, lat, lon)
lats.append(lat)
lons.append(lon)
# Fit map bounds to include Nusa Penida / Lembongan as well
pad = 0.005
m.fit_bounds([[min(lats) - pad, min(lons) - pad], [max(lats) + pad, max(lons) + pad]])
# Output
out_file = "bali_destinations_labeled.html"
m.save(out_file)
print(f"Saved: {out_file}")

View File

@@ -1,114 +0,0 @@
import argparse
import json
import os
import sys
import matplotlib.pyplot as plt
def load_json_data(file_path):
"""
Load and validate JSON data from a file.
Expected format:
{
"label1": value1,
"label2": value2,
...
}
"""
if not os.path.exists(file_path):
raise FileNotFoundError(f"File not found: {file_path}")
with open(file_path, "r", encoding="utf-8") as f:
data = json.load(f)
if not isinstance(data, dict):
raise ValueError(
"JSON must be an object with key-value pairs (labels: values)."
)
for key, value in data.items():
if not isinstance(key, str):
raise ValueError("All keys must be strings (labels).")
if not isinstance(value, (int, float)):
raise ValueError("All values must be numeric (int or float).")
return data
def create_bar_graph(
data, title="Bar Graph", x_label="Labels", y_label="Values", output=None
):
"""
Create a bar graph from a dictionary of data.
"""
labels = list(data.keys())
values = list(data.values())
plt.figure(figsize=(10, 6))
plt.bar(labels, values)
plt.xlabel(x_label)
plt.ylabel(y_label)
plt.title(title)
plt.xticks(rotation=45)
plt.tight_layout()
if output:
plt.savefig(output)
print(f"Graph saved to: {output}")
else:
plt.show()
def main():
parser = argparse.ArgumentParser(
description="Generate a bar graph from a JSON file containing key-value pairs."
)
parser.add_argument(
"json_path",
type=str,
help="Path to the JSON file (e.g., data.json)",
)
parser.add_argument(
"--title",
type=str,
default="Bar Graph",
help="Title of the bar graph",
)
parser.add_argument(
"--x_label",
type=str,
default="Labels",
help="Label for the x-axis",
)
parser.add_argument(
"--y_label",
type=str,
default="Values",
help="Label for the y-axis",
)
parser.add_argument(
"--output",
type=str,
default=None,
help="Optional output file path (e.g., graph.png). If not provided, the graph will be displayed.",
)
args = parser.parse_args()
try:
data = load_json_data(args.json_path)
create_bar_graph(
data,
title=args.title,
x_label=args.x_label,
y_label=args.y_label,
output=args.output,
)
except Exception as e:
print(f"Error: {e}", file=sys.stderr)
sys.exit(1)
if __name__ == "__main__":
main()

View File

@@ -1,3 +0,0 @@
matplotlib
folium
pandas

View File

@@ -1,101 +0,0 @@
#!/usr/bin/env python3
"""
Read a .tab (TSV) file with a single column named 'review'.
1) Print number of rows
2) Drop exact duplicate reviews and print count again
3) Build JSON describing the distribution of review length (in words) for remaining reviews
"""
import argparse
import json
import sys
from collections import Counter
from pathlib import Path
import pandas as pd
def word_count(text: str) -> int:
# Count words by whitespace splitting after stripping.
# Treat non-string / NaN as 0 words (you can change this if you want to drop them).
if not isinstance(text, str):
return 0
s = text.strip()
if not s:
return 0
return len(s.split())
def main() -> int:
parser = argparse.ArgumentParser()
parser.add_argument(
"input_tab", help="Path to .tab/.tsv file with a 'review' column"
)
parser.add_argument(
"--out",
default="review_length_distribution.json",
help="Output JSON path (default: review_length_distribution.json)",
)
args = parser.parse_args()
in_path = Path(args.input_tab)
if not in_path.exists():
print(f"ERROR: file not found: {in_path}", file=sys.stderr)
return 1
# Read as TSV. Keep empty strings; pandas will use NaN for empty fields unless keep_default_na=False.
df = pd.read_csv(in_path, sep="\t", dtype=str, keep_default_na=False)
if "review" not in df.columns:
print(
f"ERROR: expected a column named 'review'. Found: {list(df.columns)}",
file=sys.stderr,
)
return 1
n_before = len(df)
print(f"Rows before dedup: {n_before}")
# Exact duplicates based on the full string in "review".
# If you want to ignore leading/trailing spaces, do df['review']=df['review'].str.strip() first.
df_dedup = df.drop_duplicates(subset=["review"], keep="first").reset_index(
drop=True
)
n_after = len(df_dedup)
print(f"Rows after dedup: {n_after}")
# Compute word counts for remaining reviews
lengths = df_dedup["review"].map(word_count)
# Distribution (histogram): word_count -> number of reviews
dist = Counter(lengths.tolist())
result = {
"file": str(in_path),
"rows_before_dedup": n_before,
"rows_after_dedup": n_after,
"distribution_word_length": {
# JSON keys must be strings; keep as strings for portability.
str(k): v
for k, v in sorted(dist.items(), key=lambda kv: int(kv[0]))
},
"summary": {
"min_words": int(lengths.min()) if len(lengths) else 0,
"max_words": int(lengths.max()) if len(lengths) else 0,
"mean_words": float(lengths.mean()) if len(lengths) else 0.0,
"median_words": float(lengths.median()) if len(lengths) else 0.0,
},
}
out_path = Path(args.out)
out_path.write_text(
json.dumps(result, ensure_ascii=False, indent=2), encoding="utf-8"
)
print(f"Wrote JSON: {out_path}")
return 0
if __name__ == "__main__":
raise SystemExit(main())

View File

@@ -1,604 +0,0 @@
{
"file": "../data/original/reviews.tab",
"rows_before_dedup": 56446,
"rows_after_dedup": 55662,
"distribution_word_length": {
"8": 1,
"9": 5,
"10": 10,
"11": 14,
"12": 20,
"13": 29,
"14": 37,
"15": 92,
"16": 163,
"17": 308,
"18": 482,
"19": 728,
"20": 859,
"21": 977,
"22": 944,
"23": 989,
"24": 937,
"25": 1032,
"26": 946,
"27": 927,
"28": 928,
"29": 920,
"30": 926,
"31": 879,
"32": 897,
"33": 856,
"34": 759,
"35": 829,
"36": 774,
"37": 708,
"38": 771,
"39": 717,
"40": 693,
"41": 737,
"42": 734,
"43": 655,
"44": 616,
"45": 630,
"46": 680,
"47": 609,
"48": 588,
"49": 586,
"50": 598,
"51": 562,
"52": 543,
"53": 563,
"54": 549,
"55": 551,
"56": 478,
"57": 522,
"58": 450,
"59": 515,
"60": 509,
"61": 461,
"62": 453,
"63": 451,
"64": 483,
"65": 403,
"66": 442,
"67": 404,
"68": 418,
"69": 389,
"70": 394,
"71": 355,
"72": 357,
"73": 389,
"74": 360,
"75": 356,
"76": 338,
"77": 330,
"78": 308,
"79": 327,
"80": 303,
"81": 302,
"82": 306,
"83": 273,
"84": 276,
"85": 265,
"86": 268,
"87": 263,
"88": 264,
"89": 229,
"90": 244,
"91": 239,
"92": 212,
"93": 267,
"94": 211,
"95": 226,
"96": 247,
"97": 219,
"98": 239,
"99": 201,
"100": 220,
"101": 213,
"102": 180,
"103": 194,
"104": 204,
"105": 201,
"106": 200,
"107": 149,
"108": 189,
"109": 196,
"110": 178,
"111": 140,
"112": 157,
"113": 150,
"114": 160,
"115": 130,
"116": 151,
"117": 159,
"118": 151,
"119": 118,
"120": 138,
"121": 115,
"122": 107,
"123": 121,
"124": 99,
"125": 135,
"126": 126,
"127": 125,
"128": 97,
"129": 99,
"130": 95,
"131": 92,
"132": 86,
"133": 108,
"134": 115,
"135": 101,
"136": 101,
"137": 103,
"138": 91,
"139": 81,
"140": 92,
"141": 91,
"142": 95,
"143": 76,
"144": 84,
"145": 91,
"146": 84,
"147": 87,
"148": 92,
"149": 73,
"150": 78,
"151": 71,
"152": 76,
"153": 87,
"154": 60,
"155": 67,
"156": 67,
"157": 88,
"158": 56,
"159": 66,
"160": 41,
"161": 56,
"162": 61,
"163": 68,
"164": 62,
"165": 67,
"166": 52,
"167": 62,
"168": 47,
"169": 41,
"170": 49,
"171": 47,
"172": 43,
"173": 39,
"174": 61,
"175": 56,
"176": 55,
"177": 47,
"178": 34,
"179": 44,
"180": 43,
"181": 37,
"182": 48,
"183": 47,
"184": 39,
"185": 38,
"186": 42,
"187": 42,
"188": 35,
"189": 43,
"190": 39,
"191": 38,
"192": 37,
"193": 27,
"194": 28,
"195": 40,
"196": 33,
"197": 36,
"198": 40,
"199": 35,
"200": 30,
"201": 28,
"202": 28,
"203": 26,
"204": 28,
"205": 32,
"206": 31,
"207": 36,
"208": 36,
"209": 24,
"210": 20,
"211": 34,
"212": 26,
"213": 31,
"214": 27,
"215": 25,
"216": 23,
"217": 26,
"218": 20,
"219": 20,
"220": 20,
"221": 28,
"222": 15,
"223": 18,
"224": 17,
"225": 22,
"226": 16,
"227": 29,
"228": 27,
"229": 23,
"230": 14,
"231": 23,
"232": 22,
"233": 21,
"234": 23,
"235": 16,
"236": 18,
"237": 14,
"238": 11,
"239": 17,
"240": 8,
"241": 16,
"242": 12,
"243": 18,
"244": 15,
"245": 11,
"246": 24,
"247": 14,
"248": 18,
"249": 15,
"250": 11,
"251": 17,
"252": 17,
"253": 15,
"254": 17,
"255": 18,
"256": 14,
"257": 21,
"258": 13,
"259": 16,
"260": 10,
"261": 20,
"262": 8,
"263": 9,
"264": 11,
"265": 16,
"266": 6,
"267": 14,
"268": 14,
"269": 12,
"270": 11,
"271": 12,
"272": 9,
"273": 5,
"274": 7,
"275": 4,
"276": 6,
"277": 10,
"278": 11,
"279": 13,
"280": 7,
"281": 9,
"282": 6,
"283": 9,
"284": 10,
"285": 9,
"286": 11,
"287": 8,
"288": 5,
"289": 6,
"290": 8,
"291": 4,
"292": 11,
"293": 6,
"294": 11,
"295": 11,
"296": 7,
"297": 4,
"298": 7,
"299": 13,
"300": 7,
"301": 15,
"302": 10,
"303": 7,
"304": 11,
"305": 3,
"306": 7,
"307": 8,
"308": 6,
"309": 4,
"310": 7,
"311": 4,
"312": 8,
"313": 5,
"314": 1,
"315": 8,
"316": 8,
"317": 9,
"318": 8,
"319": 6,
"320": 8,
"321": 2,
"322": 8,
"323": 6,
"324": 9,
"325": 6,
"326": 8,
"327": 3,
"328": 8,
"329": 7,
"330": 5,
"331": 8,
"332": 7,
"333": 2,
"334": 1,
"335": 9,
"336": 4,
"337": 6,
"338": 4,
"339": 3,
"340": 6,
"341": 5,
"342": 3,
"343": 4,
"344": 3,
"345": 5,
"346": 3,
"347": 5,
"348": 3,
"349": 3,
"350": 3,
"351": 2,
"352": 8,
"353": 4,
"354": 4,
"355": 4,
"356": 3,
"357": 4,
"358": 3,
"359": 3,
"360": 8,
"361": 6,
"362": 5,
"363": 8,
"364": 4,
"365": 6,
"366": 3,
"367": 7,
"368": 4,
"369": 8,
"370": 2,
"371": 2,
"372": 7,
"373": 5,
"374": 4,
"375": 1,
"376": 1,
"377": 3,
"378": 1,
"379": 2,
"380": 2,
"381": 2,
"382": 3,
"383": 2,
"384": 1,
"385": 1,
"386": 2,
"387": 4,
"388": 6,
"389": 4,
"390": 4,
"391": 3,
"392": 3,
"393": 2,
"394": 2,
"395": 7,
"396": 6,
"397": 2,
"398": 2,
"401": 1,
"402": 5,
"403": 1,
"404": 3,
"405": 4,
"406": 1,
"407": 1,
"409": 3,
"410": 2,
"411": 1,
"412": 1,
"413": 2,
"414": 3,
"415": 4,
"416": 2,
"417": 2,
"418": 3,
"419": 1,
"420": 2,
"421": 4,
"422": 1,
"424": 3,
"425": 4,
"426": 4,
"427": 1,
"428": 1,
"429": 2,
"430": 2,
"431": 4,
"433": 1,
"434": 1,
"436": 1,
"437": 1,
"438": 5,
"439": 1,
"440": 2,
"441": 1,
"443": 4,
"444": 3,
"445": 1,
"446": 5,
"448": 1,
"449": 4,
"451": 2,
"452": 1,
"455": 3,
"456": 1,
"457": 1,
"458": 1,
"459": 1,
"463": 2,
"464": 1,
"465": 2,
"466": 2,
"467": 2,
"469": 1,
"470": 1,
"474": 1,
"475": 5,
"476": 1,
"477": 1,
"478": 1,
"479": 3,
"481": 1,
"482": 1,
"484": 1,
"485": 2,
"489": 1,
"490": 1,
"494": 3,
"495": 1,
"497": 1,
"499": 1,
"501": 1,
"502": 1,
"503": 1,
"504": 1,
"505": 1,
"506": 1,
"508": 3,
"510": 2,
"511": 4,
"518": 1,
"519": 2,
"520": 1,
"522": 1,
"523": 1,
"524": 1,
"525": 1,
"526": 1,
"527": 1,
"537": 1,
"540": 1,
"541": 1,
"543": 1,
"545": 2,
"546": 3,
"554": 1,
"555": 1,
"557": 2,
"558": 1,
"559": 1,
"562": 1,
"564": 3,
"566": 1,
"568": 1,
"573": 1,
"578": 2,
"580": 2,
"581": 1,
"583": 1,
"584": 1,
"585": 1,
"586": 1,
"588": 1,
"592": 1,
"594": 2,
"595": 1,
"597": 2,
"598": 1,
"601": 1,
"609": 1,
"610": 1,
"612": 1,
"613": 2,
"615": 1,
"618": 2,
"620": 2,
"622": 1,
"623": 1,
"624": 1,
"626": 1,
"635": 1,
"637": 1,
"639": 1,
"643": 2,
"645": 1,
"649": 2,
"651": 1,
"654": 1,
"658": 1,
"661": 1,
"667": 1,
"670": 1,
"671": 1,
"672": 1,
"673": 1,
"676": 1,
"679": 2,
"686": 1,
"691": 1,
"694": 2,
"698": 1,
"701": 1,
"708": 1,
"710": 1,
"711": 1,
"715": 1,
"719": 1,
"723": 1,
"729": 2,
"737": 1,
"739": 1,
"745": 1,
"747": 1,
"753": 1,
"755": 1,
"756": 1,
"765": 1,
"786": 1,
"794": 1,
"799": 1,
"810": 1,
"813": 1,
"816": 2,
"822": 1,
"873": 1,
"880": 1,
"891": 1,
"912": 1,
"945": 1,
"957": 1,
"960": 1,
"987": 1,
"992": 1,
"1005": 1,
"1035": 1,
"1046": 1,
"1073": 1,
"1096": 1,
"1099": 1,
"1196": 2,
"1233": 1,
"1263": 1,
"1329": 1,
"1597": 1,
"1699": 1,
"1893": 1,
"2244": 1,
"2537": 1
},
"summary": {
"min_words": 8,
"max_words": 2537,
"mean_words": 72.6454133879487,
"median_words": 53.0
}
}

View File

@@ -1,31 +0,0 @@
{
"<10": 6,
"10-19": 1883,
"20-29": 9459,
"30-39": 8116,
"40-49": 6528,
"50-59": 5331,
"60-69": 4413,
"70-79": 3514,
"80-89": 2749,
"90-99": 2305,
"100-109": 1946,
"110-119": 1494,
"120-129": 1162,
"130-139": 973,
"140-149": 865,
"150-159": 716,
"160-169": 557,
"170-179": 475,
"180-189": 414,
"190-199": 353,
"200-219": 551,
"220-239": 394,
"240-259": 310,
"260-279": 208,
"280-299": 162,
"300-399": 479,
"400-499": 145,
"500-999": 138,
"1000+": 16
}

View File

@@ -1,20 +0,0 @@
{
"Sacred Monkey\nForest": 18542,
"Uluwatu Temple": 5902,
"Sanur Beach": 4526,
"Tanah Lot Temple": 4218,
"Seminyak Beach": 3761,
"Nusa Dua": 3324,
"Bali Zoo": 2640,
"Mount Batur": 1815,
"Ulun Danu Bratan": 1722,
"Tirta Gangga": 1557,
"Pandawa Beach": 1511,
"Jimbaran Bay": 1430,
"Double Six Beach": 1323,
"Devil Tears": 1263,
"Kelingking Beach": 713,
"Lempuyang Temple": 596,
"Canggu Beach": 555,
"Mount Agung": 266
}

View File

@@ -1,97 +0,0 @@
#!/usr/bin/env python3
"""Aggregate review length counts into buckets."""
from __future__ import annotations
import argparse
import json
from pathlib import Path
from typing import Dict, Iterable, Tuple
Bucket = Tuple[int | None, int | None, str]
DEFAULT_BUCKETS: Tuple[Bucket, ...] = (
(None, 9, "<10"),
(10, 19, "10-19"),
(20, 29, "20-29"),
(30, 39, "30-39"),
(40, 49, "40-49"),
(50, 59, "50-59"),
(60, 69, "60-69"),
(70, 79, "70-79"),
(80, 89, "80-89"),
(90, 99, "90-99"),
(100, 109, "100-109"),
(110, 119, "110-119"),
(120, 129, "120-129"),
(130, 139, "130-139"),
(140, 149, "140-149"),
(150, 159, "150-159"),
(160, 169, "160-169"),
(170, 179, "170-179"),
(180, 189, "180-189"),
(190, 199, "190-199"),
(200, 219, "200-219"),
(220, 239, "220-239"),
(240, 259, "240-259"),
(260, 279, "260-279"),
(280, 299, "280-299"),
(300, 399, "300-399"),
(400, 499, "400-499"),
(500, 999, "500-999"),
(1000, None, "1000+"),
)
def load_counts(path: Path) -> Dict[int, int]:
with path.open("r", encoding="utf-8") as handle:
raw = json.load(handle)
return {int(k): int(v) for k, v in raw.items()}
def aggregate(counts: Dict[int, int], buckets: Iterable[Bucket]) -> Dict[str, int]:
output: Dict[str, int] = {label: 0 for _, _, label in buckets}
for length, count in counts.items():
for start, end, label in buckets:
if start is None and end is not None and length <= end:
output[label] += count
break
if end is None and start is not None and length >= start:
output[label] += count
break
if start is not None and end is not None and start <= length <= end:
output[label] += count
break
else:
raise ValueError(f"No bucket found for length {length}.")
return output
def write_output(path: Path, data: Dict[str, int]) -> None:
with path.open("w", encoding="utf-8") as handle:
json.dump(data, handle, indent=2, ensure_ascii=False)
handle.write("\n")
def main() -> int:
parser = argparse.ArgumentParser(description="Bucket review length counts.")
parser.add_argument(
"input",
type=Path,
help="Path to review_lengths.json (mapping of length -> count).",
)
parser.add_argument(
"output",
type=Path,
help="Path to write bucketed counts JSON.",
)
args = parser.parse_args()
counts = load_counts(args.input)
bucketed = aggregate(counts, DEFAULT_BUCKETS)
write_output(args.output, bucketed)
return 0
if __name__ == "__main__":
raise SystemExit(main())

View File

@@ -1,83 +1,737 @@
# Evaluation Questionnaire for the Digital Customer Twin
---
# Fragenkatalog Evaluation
## I. Natural Attractions
_(Perception of natural beauty, cultural substance, historical depth)_
### Frage 1: What distinguishes a spiritually meaningful temple complex from a purely scenic attraction in your perception?
1. **When you think of Bali, which specific natural or spiritual places embody “authentic cultural depth” for you — and what makes them stand out?**
**Answer:**
2. **What distinguishes a spiritually meaningful temple complex from a purely scenic attraction in your perception?**
For me, the distinction lies in whether the place feels like a living, breathing part of the local spiritual fabric or merely a backdrop. A spiritually meaningful temple complex has an atmosphere of reverence and purpose—you might see locals making offerings, hear the quiet murmur of prayers, or sense a palpable history in the rituals performed there. It invites quiet observation and introspection, even if it's simple in architecture.
3. **Using Uluwatu or Lempuyang as examples: What elements would need to be communicated for you to perceive them not as “Instagram spots,” but as culturally substantial places?**
A purely scenic attraction, on the other hand, often feels like a stage. The focus shifts to capturing the perfect photo, navigating crowds, and the temple itself becomes secondary to the view or the Instagram moment. You notice people in disrespectful dress, hear the constant click of cameras, and feel the pressure of vendors. The spiritual context gets drowned out by the tourism machinery.
4. **How important is active ritual presence (e.g., ceremonies, offerings, priests) compared to architectural or historical aspects?**
I don't mind beauty—a stunning location can enhance a temple's significance—but when the scenery completely overshadows the sanctity, it loses its depth. I'd rather visit a modest, active temple with a genuine atmosphere than a breathtakingly beautiful one that feels like a theme park. The trade-off is accepting that some truly significant sites will be crowded, but the key is whether the crowd's behavior and the site's management still allow its spiritual essence to be felt.
5. **If you had to choose between Tanah Lot and Ulun Danu Bratan for a reflective, culturally immersive experience, which criteria would guide your decision?**
Context:
---
```
Doc 1 (score: 0.7417):
we were attracted by the awesome view this place has but later on we found 2 viewpoints from the both sides of the temple with just as mind blowing views. however no tourists no rush no enterance fee no monkeys no pushy sellers. also no drones are allowed there so if you are into aerial videography/photography you can't do that there. for me spiritual places and nature locations must kept not as crowded to be appreciated in the right way.
Doc 2 (score: 0.7405):
the temple is not to big but surely have a photogenic scenery,,the main highlight for me is the temple at the lake,,but after all it's a good visit,,
Doc 3 (score: 0.7403):
i think i would expected more from this attraction. i found averything very turistic and not as spiritual as i thought, also the very center of the temple is not accessible. the view is instead really amazing, but i do not know if i really recommend it since there are many other good positions for looking at the ocean.
Doc 4 (score: 0.7394):
the view is amazing the temple itself is nothing fancy, just like any other temple . but the rocks shapes and the view are amazing.
Doc 5 (score: 0.7331):
a very pretty temple to visit. the location is beautiful and the views are stunning. well worth a visit.
Doc 6 (score: 0.7286):
the temple is really boring for someone who travels a lot and has seen some temples. the actual attraction here are the cliffs. the view is amazing.
Doc 7 (score: 0.7268):
the temple itself is not much to look at. it's just like any other temple in bali but the way it sits on top of hill and the view make it more pleasing to the eye and soul. when you see that big wave rushing toward the rocks and the sound of it makes sort of serene feeling. don't forget your camera to take those beautiful shots. beware of the monkeys though. no sunglass or flashy stuff. my wifes sunglass was snatched by a monkey. when a temple worker retrieved it. it was too late, still it was a great experience. a must visit place.
Doc 8 (score: 0.7218):
one of my favourite spots, the location of the temple itself is stunning and if you can take the time to wander a little further afield the atmosphere is wonderful. just visiting the temple involves crossing a market where many want to sell you much, and masses of tourist from all over that come here for genuine religious reasons, or just to take as many selfies as possible. the stupidity of some tourists also takes away from the potential serenity of the place. access to the temple is governed by the tides as it sits on a small island, waves can hurt, break camera & iphones or just plain kill you. something to remember when visiting. evening when many have gone and the sun sets is very special.
Doc 9 (score: 0.7186):
this temple itself was very beautiful and had scenic views. you have to walk through the waves to get to the base of the temple. the experience is very different and nice. but there will be a ton of tourists trying to do the same that it can get overwhelming. great for photo op. not much to do other than that. however, there are a ton of shops outside where you can bargain and buy a lot of things cheap. we bought t-shirts and dresses for family and friends here. also, enjoyed coconut ice cream.
Doc 10 (score: 0.7183):
very unique temple! went on a foggy rainy day so i didnt get the most spectactualar views. i recommend going for sunset or sunrise. its very touristy and alot of tourist traps so be wary
Doc 11 (score: 0.7182):
i feel this temple loses it's significance by being such a huge tourist attraction. lots of tourists and many not adhering to respectful dress, posing for photos and generally ruining any ambience a temple might have. visit if you have to be passing through but don't expect to be overwhelmed
Doc 12 (score: 0.7158):
the temple itself was very nice to look at, amazing sunset views, and the temple itself is quite extraordinary. however there are some obvious let downs because it is a iconic tourist attraction there are tourist everywhere which make it a bit less enjoyable.
```
### Frage 2: If you had to choose between Tanah Lot and Ulun Danu Bratan for a reflective, culturally immersive experience, which criteria would guide your decision?
**Answer:**
My decision would hinge on the type of reflective immersion I seek. Tanah Lot offers a powerful, dramatic connection to Balinese spiritual geography—a temple on the sea, especially at sunset or during a ceremony, can feel profound. However, the extensive commercial development and crowds mean I'd have to actively seek solitude, perhaps by finding a quieter vantage point away the main paths, to access that sense of reverence. It feels more like witnessing a living, popular pilgrimage site.
Ulun Danu Bratan, in contrast, provides immersion through atmosphere and natural serenity. The integration of the temple with the lake and mountains creates a contemplative, almost ethereal setting that encourages quiet reflection inherently. The experience feels more consistently peaceful and inwardly focused, with less negotiation through commercial activity.
If my priority is cultural vibrancy and the energy of a major sea temple, even amidst crowds, I'd lean toward Tanah Lot, planning my visit carefully for timing. If my goal is a more consistently tranquil environment where the natural and spiritual harmony fosters personal reflection, Ulun Danu Bratan would be the clear choice. The latter likely offers a more guaranteed immersive atmosphere, while the former requires more effort to find moments of depth.
Context:
```
Doc 1 (score: 0.6200):
before travelling to this place, i also tried to read reviews in order to choose between tanah lot and uluwatu temple. having visited both now, if you have to make choice tanah lot wins hands down, however if you can visit both , make it for kechak dance and sunset
Doc 2 (score: 0.5933):
the temples all over bali are very similar, but ulun danu bratan is different from the rest! the lake, the views, the nature. its incredible.
Doc 3 (score: 0.5783):
tanah lot offers a far superior visitor experience to the overcrowded and difficult to access temple at ulu watu. the views are just as dramatic though more unexpected and the grounds are far superior. there is a pleasant, extensive, pedestrianised street market leading you to the temple and overall it would be easy to spend a very pleasant half a day exploring here.
Doc 4 (score: 0.5775):
ulu danu bratan to me was one of the most beautiful temple that i have visited during my bali trip. once i entered the outer premises of the temple, i felt the change of atmosphere inside. the atmosphere of the temple, lake and landscape gave me a great feeling of peace and happiness. i would surely recommend a visit here.
Doc 5 (score: 0.5668):
been to uluwatu temple as well as tanah lot for sunsets. uluwatu is way more spacious and has a fantastic view! tanah lot was too cramped and messy for a good walk while enjoying the place. go to uluwatu if you are contemplating between the two! its my first time going, lucky to be brought around by a local.
Doc 6 (score: 0.5597):
the ulun danu bratan temple is a beautiful temple on a mountain top; which was another highlight of our bali trip and a definitely a must visit, especially if you are a nature lover. we enjoyed the serenity of the place, it lovely garden and the spectacular view of the mountains and the lake.
Doc 7 (score: 0.5592):
ulun danu has beautiful views and a calming vibe to it. it is so serene that you would love to just walk around, take beautiful pictures and just stare into that beautiful setting! words can't really describe the beauty of this place.
Doc 8 (score: 0.5498):
we did a lovely day trip from sanur to ulan danu. it was a great day and this was the nicest temple we have visited in bali!. beautiful setting, nice gardens friendly locals and no pressure selling. definately my pick above ulawatu or tanah lot!
Doc 9 (score: 0.5472):
tanah lot temple is a truly cultural experience and definitely worth visiting. it feels like a different world to seminyak and other places that most foreigners go to. lovely countryside along the way too as you leave behind the busy places of bali. the market around the temple is extensive too.
Doc 10 (score: 0.5442):
it transform into a island at high tide ; and if high tide happens to fall at sunset that day, so much the better. second, if you ' re lucky enough to go during a religious holiday, tanah lot can be particularly interesting ; i got to listen to formal concert by a large gamelan bali orchestra ( gratis ) while i was there ( see gamelan at tanah lot photo ). of the three major styles of gamelan, bali, jawa and sunda, it ' s generally believed that balinese is the best - - though i wouldn ' t mention that to a javanese of sundanese acquaintance. third, if you walk back inland along jalan tanah lot, and then turn right, there are some interesting vendors to be seen ( one specializes in a fabulous balinese wooden version of wind chimes ) then if you continue up the steep walkway, you get to a cafe with a terrace on the heights overlooking the temple. in addition to quenching your thirst or satisfying your appetite, you get what i think is the most spectacular view of the temple ( see tanah lot from the heights photo ). the odd bit was that while tour - busloads of bules were packed together admiring the
Doc 11 (score: 0.5392):
i had not been to tanah lot for probably 30 years, but wanted my daughter to experience it (she is 20 years old). it had changed so much with a big market and cafes etc. and being the time of year we went it was especially busy with indonesian school holidays and galugan . but despite all that it still had a special feel about it. to get away from the crowds we sat in a cafe on the hill and watched the sunset and everything that was going on below. so different, but i loved everything anyway
Doc 12 (score: 0.5366):
tanah lot is better than i could have imagined. the temple is stunning, and you can even get blessed. beautiful day, it is a must do activity when visiting bali. i can't believe i didn't visit tanah lot until my third trip.... stunning.
```
## II. Atmosphere
_(Emotional quality, spirituality, aesthetic perception, subjective experience)_
### Frage 3: How would you describe the atmosphere of a place where you feel culturally and spiritually aligned? What factors create that feeling?
6. **How would you describe the atmosphere of a place where you feel culturally and spiritually aligned? What factors create that feeling?**
**Answer:**
7. **To what extent do visitor numbers affect your spiritual experience — and is there a threshold you still consider acceptable?**
For me, that feeling of alignment arises when a place feels integrated, not staged. Its an atmosphere where the spiritual purpose is palpable and respected, where nature and human devotion arent separate performances but part of a continuous whole.
8. **Which timing or contextual conditions (e.g., ceremony days, off-season, sunrise instead of sunset) enhance the cultural intensity of a place for you?**
Several factors create this. First, a sense of authenticity in the rituals and the setting—seeing local devotees engage sincerely, not just for spectators. Second, the absence of commercial pressure; when Im not being funneled toward a photo spot or a stall, I can actually absorb the serenity. Third, the natural environment itself—like the sound of waves or the quality of morning light—feels like an active part of the sacred space, not just a backdrop.
9. **How do you internally reconcile the sacred character of a site with strong touristic staging or commercialization?**
Crucially, its not about solitude, but about shared reverence. Even if there are others present, a collective, quiet respect can maintain the atmosphere. However, when the balance tips toward crowds treating it as a theme park, that alignment fractures. So timing matters—visiting early to witness the space as its meant to be experienced, in its daily rhythm, often makes all the difference.
10. **What would a destination need to do in order to evoke not just visual admiration, but genuine spiritual resonance for you?**
Context:
---
```
Doc 1 (score: 0.5170):
spiritual experience. such a beautiful sunset. so amazing to see the temple at the cliff of the mountain. a once and a lifetime experience.
Doc 2 (score: 0.5146):
you are attracted there by the valley, the volcano and the lake, plus the balinese people that all together make you feel in the real nature, where local life combines with the environment.
Doc 3 (score: 0.5063):
it kinda feels like a hindu theme park but it is a joyous kinda way....even when it is packed it never feels crowded and it is truly beautiful....one of those places i cant ride past without taking (another) look. wonderful place....and you can get wet there too.
Doc 4 (score: 0.5061):
mystical experience where nature meets the spirit. truly reverend. go early in the morning before the crowds to get a sense of the balinese spirituality.
Doc 5 (score: 0.5034):
such a beauty of a sunset and temples on both sides. i felt like i wanna visit the place every single day in my life.
Doc 6 (score: 0.4993):
breathtakingly beautiful sunset view with the waves , really can feel spiritual and relax. beautiful temples and as usual a bit touristy.
Doc 7 (score: 0.4965):
the drive up to the temple itself builds up the experience you will have up there. serene & spiritual. although it is a very popular tourist spot , always teeming with people, one feels a sense of peace & calm in the complex. the waves of the indian ocean crashing into the cliff.. the sound, the colors, the very air of that place is meant to take to a beautiful zone. there isnt much to see there other than the ocean and marvel at the people who must have built it , but there is soo much to experience there. good part, if you are a hindu , you may be allowed into the main shrine (on the head priests approval)- which feels like you have entered a different world. perfect place sit and meditate / vegetate for hours. must go place.
Doc 8 (score: 0.4955):
we were attracted by the awesome view this place has but later on we found 2 viewpoints from the both sides of the temple with just as mind blowing views. however no tourists no rush no enterance fee no monkeys no pushy sellers. also no drones are allowed there so if you are into aerial videography/photography you can't do that there. for me spiritual places and nature locations must kept not as crowded to be appreciated in the right way.
Doc 9 (score: 0.4948):
magical temple with beautiful view, nice balinese people, very romantic and you can feel the spiritual balinese culture
Doc 10 (score: 0.4913):
we went from canggu on a tour on the island and ulun danu temple was our first stop. in the morning there were no crowds. peaceful , quiet and relaxing are the words that we felt. as many other religious places it affects us coming there. well worth a visit
Doc 11 (score: 0.4912):
place is magical. a bit crowded but that doesnt really ruin the atmosphere. a cool combination of a striking natural beauty and a spiritual place. the temple actually consists of just a cave in a small island in the middle of the sea and spring water rise from it. there are monks over there who pray for you and stick rice grains on your forhead. truely worth visiting. afterwards you can drop by the stalls and have a cup of tea by the seaside.
Doc 12 (score: 0.4899):
so glad to come here. breathtakingly beautiful and with the waves crashing below, you really feel spiritual. spend at least a couple of hours here as a minimum. beautiful temples and as usual a bit touristy. would very highly recommend.
```
### Frage 4: To what extent do visitor numbers affect your spiritual experience — and is there a threshold you still consider acceptable?
**Answer:**
Visitor numbers fundamentally alter the spiritual experience, often to the point of nullifying it. For me, spirituality in a place like Bali is tied to atmosphere—the ability to feel the weight of history, hear the ocean or the wind without a chorus of chatter, and observe rituals or nature with minimal intrusion. When a site is packed, that atmosphere evaporates; it becomes a spectacle rather than a sanctuary.
There is a threshold, but it's very low. I can accept a handful of other visitors—perhaps a few quiet individuals or small groups who are also there to reflect, not just to take photos. This maintains a sense of shared, respectful purpose. The moment it shifts into queues, crowded viewpoints, and a bustling, transactional energy, the threshold is crossed. The spiritual context is drowned out.
The trade-off is real: a famous site might have profound significance, but if accessing it means navigating a crowd of hundreds, the significance becomes theoretical. I would rather seek out a lesser-known temple or a natural viewpoint nearby, where the essence of the place—the cliffs, the ocean, the sense of awe—can be felt directly, even if the iconic structure isn't in frame. Authenticity isn't about checking a box; it's about the quality of the encounter.
Context:
```
Doc 1 (score: 0.4557):
we visited 7 years ago in the evening-giving us stunning views of the sunset over the ocean. doesn't matter what faith you follow, watching the wild ocean waves in the windy over a huge cliff brings on a spiritual experience and a sense of awe on the power of nature. we saw a few monkeys wandering around the temple as well.
Doc 2 (score: 0.4516):
decided to visit the attraction after my wife saw it listed on numerous tours and lists for photo opportunities. upon arrival was charged 45k idr per person for a shuttle to the temple entrance, where the ticketing office is. there we were informed that we are number 476 in the queue with about 200 people ahead of us. we didnt bother with a ticket as it was 15.00 at that time. instead we had lunch at a local restaurant with a mountain view and photo opportunities on the roof included for customers. the staff have some tricks to make the photos look stunning. is it beautiful? i dont know ive only seen photos. recommend and early morning visit to beat the queues
Doc 3 (score: 0.4470):
we were attracted by the awesome view this place has but later on we found 2 viewpoints from the both sides of the temple with just as mind blowing views. however no tourists no rush no enterance fee no monkeys no pushy sellers. also no drones are allowed there so if you are into aerial videography/photography you can't do that there. for me spiritual places and nature locations must kept not as crowded to be appreciated in the right way.
Doc 4 (score: 0.4463):
this is definitely a tourist trap - too many people, crowded, doesn't feel sacred or spiritual. i really enjoyed the solitude of the temples we found off the beaten path. the sunset is spectacular here, if you can find a good view without many people in front of you. the monkeys didn't bother us.
Doc 5 (score: 0.4423):
based on the advice of our driver, we headed here relatively early on a monday morning (830). having passed by the area the day prior (sunday) and being stuck in traffic for nearly an hour and having read the reviews about troves of tourists, we were a bit wary. instead, we arrived to a nearly empty and serene temple. a handful of tourists and two couples taking wedding photos were all that we saw for more than one hour. beautiful and relaxing spot - but i could easily see how this could be ruined by the busloads of people showing up as we were leaving.
Doc 6 (score: 0.4399):
this temple was magical and definitely worth a visit. there are definitely rules you need to follow when you enter the temple but they are posted at the entrances so you can't miss it! there are locals on site who can take pictures for you and will call out your number when it's your turn.
Doc 7 (score: 0.4364):
in short, like many others, what once was a majestic and one - of - a - kind spiritual site now has turned into a low - rent stop for the bus tour kind of tourists without regard for its cultural significance. its serenity and beauty unfortunately have been lost due to lack of control and investment.
Doc 8 (score: 0.4315):
##d 10, 000 - 20, 000 tourists in the entire premises. it was very crowded and you cannot take pictures of the temple as you expect to see in the postcards. i would still recommend a visit to see the entire location, the cliffs and the views of the ocean.
Doc 9 (score: 0.4313):
the road to the temple offered one a sight to behold.the path itself is enough to lift the spirits of any soul.the place is filled with monkeys which are quite aggresive.the monkeys snatch phones off the traveller's hands(generally i phones).a walk around the temple is very refreshing and the place leaves an everlasting impression.
Doc 10 (score: 0.4304):
hardly a 'temple' as doesn't seem to have any focal point. more like a monkey forest with a group of buildings with high walls, do not enter notices and locked gates. the postcard views are all of a silouette of a tower at the end of a cliff - which is about all you can see. hugely crowded at all times, i understand the best time to visit is at sunset when there is kecak chanting and dancing. however because there are so many people milling around, there is no spiritual atmosphere and, as far as i'm concerned, no real reason to visit.
Doc 11 (score: 0.4297):
this was very beautiful temple site and was very fascinating. but there were just so many inconsiderate people with no spatial awareness. definitely worth a trip, but would go early or late or face people walking in front of your photos or being hit with selfie sticks!!!
Doc 12 (score: 0.4288):
i have visited tanah lot three times. each successive visit i recall seeing more and more people. lots of touristy sales ongoing and it is impossible to get a good photo because it is so crowded. it is worth a visit just to take a look at the scenic construction of a temple on a cliff, but don't expect to be very impressed given the uncomfortable numbers of people visiting this place. i fear for the ecology and the environmental consequences if tourism continues to bring more people there. walk to the right end of the temple to enjoy a great view of the headlands
```
## III. Social Environment
_(Local interaction, authenticity, visitor behavior, cultural credibility)_
### Frage 5: If other visitors focus primarily on photography, does that diminish the spiritual quality of the place for you, or can you detach from it?
11. **What role does interaction with local priests, guides, or community members play in shaping the depth of your experience?**
**Answer:**
12. **How do you define appropriate visitor behavior at Balinese temples, and how strongly does this influence your overall perception of the site?**
It can diminish the spiritual quality, but my ability to detach depends on the scale and nature of the behavior. If the focus on photography creates a transactional atmosphere—where people queue for hours solely for a staged photo, treat the site as a mere backdrop, or disregard basic decorum—it fundamentally alters the place's energy. It feels less like a living temple and more like an open-air studio. In such cases, the spiritual context is crowded out, making detachment very difficult.
13. **If other visitors focus primarily on photography, does that diminish the spiritual quality of the place for you, or can you detach from it?**
However, if the photography is quiet, respectful, and doesn't dominate the space, I can usually overlook it. My own visit is about internal reflection, so I focus on the architecture, the sound of the waves, or the play of light. The key is whether the collective behavior still allows for moments of quiet observation. If not, the experience becomes more anthropological—observing how mass tourism interacts with sacred sites—rather than spiritual. I might still find value in that, but it's a different kind of visit altogether.
14. **What type of cultural storytelling by locals feels authentic and credible rather than staged for tourism?**
Context:
---
```
Doc 1 (score: 0.5828):
we were attracted by the awesome view this place has but later on we found 2 viewpoints from the both sides of the temple with just as mind blowing views. however no tourists no rush no enterance fee no monkeys no pushy sellers. also no drones are allowed there so if you are into aerial videography/photography you can't do that there. for me spiritual places and nature locations must kept not as crowded to be appreciated in the right way.
Doc 2 (score: 0.5549):
based on the advice of our driver, we headed here relatively early on a monday morning (830). having passed by the area the day prior (sunday) and being stuck in traffic for nearly an hour and having read the reviews about troves of tourists, we were a bit wary. instead, we arrived to a nearly empty and serene temple. a handful of tourists and two couples taking wedding photos were all that we saw for more than one hour. beautiful and relaxing spot - but i could easily see how this could be ruined by the busloads of people showing up as we were leaving.
Doc 3 (score: 0.5488):
this attraction is so popular that it is always on the top list of must-visit. the sight is totally awesome, a temple standing proudly on the ocean. when the tide is in, there is no access to the temple. the loud, continuous rumbling sound of the ocean waves hitting the solid rock will make a perfect background in your picture. however, as many other touristy areas, there is also a downside here. so overcrowded, especially when sunset is coming, is this place that hardly can you have a chance to take a good picture. all in all, given the fact that a religious site blends harmoniously with nature, this place must be in your itinerary.
Doc 4 (score: 0.5480):
is a magic place to be. good atmosphere and excellent conservation of the temple and the place. you can take pictures everywhere because even the seaside view is fantastic
Doc 5 (score: 0.5477):
in short, like many others, what once was a majestic and one - of - a - kind spiritual site now has turned into a low - rent stop for the bus tour kind of tourists without regard for its cultural significance. its serenity and beauty unfortunately have been lost due to lack of control and investment.
Doc 6 (score: 0.5451):
no offense meant for the religious group, but if you wont go there to worship, you can skip this place, because there's really not much to see here but some monkey who will rob your personal stuff if you're too careless , and a sea cliffside ... yes you can view sunset here, but you can also view sunset in some areas. this is best for worshippers, not for tourists.
Doc 7 (score: 0.5443):
before entering the temple there are a list of rules to follow to \respect\ the sacred temple. once you get inside there is nothing religious: long queues of people waiting 2hours or more to take a fake photo, and the first temple is just this, nothing more. we didn't care about photos but we wanted to have a look around and visit and th person working in the temple said to us \why did you come here if you don't want the photo?\. that's exactly the point, there is nothing to visit because you can't even get close to the gate, that is just for photos. if you go up the mountain to see the others temples, everything is in an abandoned state and full of rubbish. according to me it doesn't worth it at all.
Doc 8 (score: 0.5406):
the temple complex and the shoreline are very beautiful and atmospheric. what spoils it however is us the tourists with the incessant need to take the perfect picture. they stand at the perfect spot primping their hair and pouting for the camera. please consider others who would like just to take a photo of that spot. rant over.
Doc 9 (score: 0.5347):
we spent two hours in the taxi to get to the temple, due to the droughts not quite submerged more over hovering on its foundation. i don't want to sound critical but if you are of spiritual tendency then not reallyg the place to be, if how ever you are on the tourist track then you must cross this one off. had a wonderful buffet style lunch in the restaurant opposite next to the mosque, very cheap and great food, lots of coaches arrive and seem to pilgrimage to this establishment, worth a munch before entering. so crossed over the road and entered, ok,so it did what it said on the tin, nothing more nothing less. great for picture opportunities and both my sons and the wife all were asked to join in with random visitors pictures, must be the western look they were interested in, it beggars believe, i was imaging what the conversation would be once these people returned home and placed the pictures on there mantle pieces, but any way very sweet. so all in all a complete tourist spot, nothing spiritual, a mammoth tiring drive and all in all worth a visit.
Doc 10 (score: 0.5343):
we didn't want to see pictures of the place before going, and the place was slightly above expectations. the views of the cliffs and the temples were very nice (not impressive though). magnificent sunset - if not cloudy.
Doc 11 (score: 0.5327):
it's a lovely temple but you pan around to see the crowds and the huge number of stalls selling all manner of goods. yes you'll get your photos but it's not exactly spiritual with that many people selling things, jostling you to get photos or being inappropriate (beer cans at temple are not okay).
Doc 12 (score: 0.5297):
you won't feel the magic or serenity since this place is very popular and setup for tourists. but it's still worth a visit, just imagine the place without tourists. get close to the water and you'll get a photo without any people in them. it's worth the hike up to the lookout, to see tanah lot rock below, but be prepared for the heat! you can make a $5 donation for a blessing by the \holy\ spring, why not :)
```
### Frage 6: What type of cultural storytelling by locals feels authentic and credible rather than staged for tourism?
**Answer:**
For me, authentic cultural storytelling happens when it's woven into the fabric of daily life or genuine ritual, not when it's a scheduled performance for an audience. The most credible experiences I've had were unplanned—like witnessing a local festival in progress, where the focus was on devotion, not spectators. The energy is entirely different; it's participatory for the community, not observational for tourists.
Staged performances, like some dance shows, can feel hollow when they're condensed, amplified for entertainment, and performed in a crowded amphitheater where people are coming and going. You sense the mechanics of tourism—the timed start, the simplified narration, the way the sacred becomes a backdrop. Authenticity suffers when the primary relationship is between performer and paying customer, rather than practitioner and tradition.
What feels credible is when a local shares context spontaneously—perhaps a temple caretaker explaining a particular offering's meaning during a quiet moment, or a guide who connects a story to their own family's practices. It's in the nuance and the personal connection, not a rehearsed script. The setting matters immensely; a story told within a functioning temple during a quiet hour carries more weight than the same story shouted over a crowd at sunset. For it to resonate, it must feel like it's being shared, not sold.
Context:
```
Doc 1 (score: 0.5460):
not the cultural experience that you would expect at a temple, huge amounts of tourists.nice view over cliffs though.
Doc 2 (score: 0.5372):
a cultural experience, well worth seeing for the views alone. be aware there are many steps to climb. the kecak fire dancing was fantastic, which commenced at approx 6 pm. the sunset was beautiful & it was a great experience. worth visiting.
Doc 3 (score: 0.5216):
the views are stunning and the sea is at its best. you cannot enter the temples as normal people are not considered to be, i guess godly enough. this is religion at its worst, you can view it from afar be pestered by people taking your photograph or hawkers selling birds with rubber bands but in terms of understanding the religious significance, well it doesn't work. add to the zillion tourists that turn up (ok i'm exaggerating) and you have something that could be wonderful and surreal but ends up just another opportunity to extract money from the gullible tourist. it's a shame.
Doc 4 (score: 0.5189):
the temple is nice to visit but it's very touristy. the venue overlooking the cliffs is beautiful. basically you arrive at 5 pm. visit temple for about 45 mins and then there is an amphitheater where they have a local \kesha\ dance. it's nice but does not seem authentic. it's too staged.
Doc 5 (score: 0.4994):
we arrived to discover a festival in progress. it was wonderful to watch the temple in use rather than an empty building. experiencing the culture is a highlight of any trip.
Doc 6 (score: 0.4925):
a lovely spiritual setting spoilt by too many tourists pushing and shoving. some lovely coastal views. watch out for the monkeys!
Doc 7 (score: 0.4922):
we wanted to visit a \temple of the sea\, well ok, the sight is beautiful, from the cliff to the temple on the coast, but wow so many tourists there... (i know we were tourist too lol) but to see people with cameras and sunglasses everywhere kinda got in the way of the \visiting a temple\ spirit. if you can, go to the gunung kawi temple, once you pass the vendors outside, you get a more peaceful and amazing experience
Doc 8 (score: 0.4900):
magical temple with beautiful view, nice balinese people, very romantic and you can feel the spiritual balinese culture
Doc 9 (score: 0.4895):
beautiful part of the culture. gets a bit busy... some of the tourists aren't so respectful of it being a temple
Doc 10 (score: 0.4879):
you'd be forgiven for wondering what the fuss was all about as you look at the temple grounds which don't rate compared to many more modest temples. the scenery is great, though. very dramatic coastal views. the dance show is the main attraction. it has many traditional elements as well as some stuff which is thrown in for pure entertainment. it's best to arrive early (it is very popular) and pick a day when it isn't going to rain. the setting is spellbinding overlooking the sea. you can watch the sun go down as you await the show. the male voice choir combine chants and grunts in quite a tonal and agreeable way. the costumes are colourful and some characters get to clown about a bit. when i was there, they crammed spectators in on the stage, restricting the dancers. they also had a priest come on during parts of the show to bless the participants, and groups of spectators leaving during the show which just added to the novelty. a sweaty, chaotic and entertaining evening out.
Doc 11 (score: 0.4816):
very touristic. nice views, but other places in the neighbourhood also have nice views. the temple isnt very interesting but the kecak dance at 6 pm is worthwhile when youre there. its funny. its very disturbing that so many people come to late, leave or go to the toilet during the acts. the tribunes were crowded, its disrespectful, the acts take max 1 hour. the monkeys didnt bother because it was feeding-time.
Doc 12 (score: 0.4815):
as part of my trip to bali i really wanted to visit here. my husband and i booked a tour that included this to which when we got there... i felt like it was oversold in the pictures and not as exciting as i first thought. whilst walking around we were absolutely shocked and disgusted by the stares we received from locals and other tourists. we are black (i am light skinned and my husband is dark skinned)... our visit was ruined when some locals started laughing and pointing at my husband and that is when we decided we had enough and left. overall very disappointing and whilst not everyone starred at us maybe some people should pick up a book and educate themselves about people in the world and how we all look different
```
## IV. Infrastructure
_(Accessibility, organization, hygiene standards, information systems)_
### Frage 7: Which infrastructural measures (e.g., visitor flow management, limited entry slots, silent zones) would enhance the cultural quality of your experience?
15. **How important are curated background explanations (e.g., symbolism, ritual calendars, historical context) compared to independent exploration?**
**Answer:**
16. **Do long waiting times — for example at Lempuyang — affect your perception of a sites spiritual substance, or do you separate logistical issues from cultural meaning?**
For a culturally meaningful visit, the most impactful measure would be a strict system of limited entry slots, ideally tied to a brief, mandatory orientation. This would directly address the core issue of overcrowding, which transforms a sacred site into a chaotic attraction, as I've felt at places like Tanah Lot. A capped number of visitors per time slot would preserve the atmosphere necessary for quiet contemplation and allow the spiritual context to be felt, rather than just seen through a crowd.
17. **Which infrastructural measures (e.g., visitor flow management, limited entry slots, silent zones) would enhance the cultural quality of your experience?**
Silent zones are a thoughtful complement, but they are difficult to enforce without first managing the sheer volume of people. They would be most effective in specific, smaller areas like inner courtyards or near primary shrines, creating pockets of sanctuary. However, without controlled flow, such zones risk becoming arbitrary.
18. **How should destinations communicate information in order to appeal to spiritually interested travelers without reinforcing mass-tourism dynamics?**
Ultimately, the goal of any infrastructure should be to facilitate respect and understanding, not just movement. A combination of limited entry to ensure a baseline of tranquility, supported by clear, respectful guidelines presented upon entry, would do the most to enhance the cultural quality of the experience. It makes the visit more about engagement and less about navigation.
---
Context:
```
Doc 1 (score: 0.5286):
this is my second trip to this place and this time the management have increased the number of staffs manning the place especially for the public's safety. the place is located close to ubud town centre and i like the ambience especially the temple near the stream. the place is quite small but just enough for you to experience everything within and don't forget to make your wish at the pool near the temple.
Doc 2 (score: 0.5080):
can't forget the beauty of the place. the entire facility is excellent. the main temple, walking areas, view points and restaurants - all excellent. adjacent market area is also very good. in each view point different beauty - so don't miss to walk the entire area. beauty in low tide and high tide are different. recommended for at least half day tour.
Doc 3 (score: 0.5079):
very nice temple complex... a bit crowded in the afternoons... i assume it will be even better in times of less tourists say early in the mornings.
Doc 4 (score: 0.4891):
quieter and more comfortable lower temperatures and humidity make this a more enjoyable visit than some of the coastal temples
Doc 5 (score: 0.4837):
this was one of the quieter places we visited during our stay in bali. we visited late morning and there were only a handful of other tourists. the landscape is beautiful and very well maintained. walking along the stepping stones was lovely. i recommend a trip to this peaceful place!
Doc 6 (score: 0.4792):
magnificent complex of temples and views of the indian ocean. the only drawback are the monkeys who run around and take hats, glasses and whatever else they can from unsuspecting tourists. go and enjoy! the beauty of the area.
Doc 7 (score: 0.4759):
not the cultural experience that you would expect at a temple, huge amounts of tourists.nice view over cliffs though.
Doc 8 (score: 0.4753):
breath taking views! the temple is very beautiful with an amazing view. only drawback is was filled with tourists every corners.
Doc 9 (score: 0.4739):
it took a while to get to tanah lot from sanur, as there were many small one lane roads taken to get there. however i got there right before sunset and had the opportunity to see it in full light and as the sun went down. overall the grounds were beautiful. i was able to get some amazing pictures even though it was very crowded. if you walk all the way down, you can actually walk through the water over to the temple, (i think there is a fee for that). it was amazing to see, so close up. i only wish that there were fewer people as it can feel much more like a tourist attraction rather than an amazing temple. if you walk along the top you will come across some shops and places to eat or get a drink. this is a perfect place to sit and take in the view if you have the time. overall, i feel like this is a \must see\ location. although there were many people and lots of traffic getting in and out, it is worth the time. the only reason i rated it a 4 instead of a 5 is the amount of people.
Doc 10 (score: 0.4702):
beautiful part of the culture. gets a bit busy... some of the tourists aren't so respectful of it being a temple
Doc 11 (score: 0.4673):
nice walk with beautiful views. temple itself not accessible to the public. huge, well kept area. well worth the visit. even a few monkeys to add to the fun.
Doc 12 (score: 0.4663):
i rate this as one of the more beautiful temples to visit. it is an amazing setting with good shopping. it is very commercial but i think that is inevitable at these kind of attractions.
```
### Frage 8: How should destinations communicate information in order to appeal to spiritually interested travelers without reinforcing mass tourism dynamics?
**Answer:**
Destinations should communicate with a focus on context, not just spectacle. For spiritually interested travelers, the appeal lies in understanding the "why" behind a place—its history, rituals, and living significance—rather than just its visual appeal. Information should emphasize appropriate behavior, dress codes, and quiet observation, framing the visit as a form of respectful witness rather than a photo opportunity.
To avoid reinforcing mass tourism, communication should de-emphasize peak hours and iconic, crowded shots. Instead, it could highlight quieter times, nearby sites of equal cultural value but with fewer visitors, or the importance of visiting with a local guide who can provide deeper interpretation. The messaging should subtly steer visitors toward dispersal, suggesting that a meaningful experience often lies in contemplation, not checklist tourism.
Ultimately, the tone should be one of invitation to learn and participate with humility, not to consume. This approach attracts travelers who are willing to trade convenience and crowds for authenticity and a sense of connection, naturally aligning with sustainable visitation.
Context:
```
Doc 1 (score: 0.5749):
in short, like many others, what once was a majestic and one - of - a - kind spiritual site now has turned into a low - rent stop for the bus tour kind of tourists without regard for its cultural significance. its serenity and beauty unfortunately have been lost due to lack of control and investment.
Doc 2 (score: 0.5147):
a lovely spiritual setting spoilt by too many tourists pushing and shoving. some lovely coastal views. watch out for the monkeys!
Doc 3 (score: 0.4840):
we spent two hours in the taxi to get to the temple, due to the droughts not quite submerged more over hovering on its foundation. i don't want to sound critical but if you are of spiritual tendency then not reallyg the place to be, if how ever you are on the tourist track then you must cross this one off. had a wonderful buffet style lunch in the restaurant opposite next to the mosque, very cheap and great food, lots of coaches arrive and seem to pilgrimage to this establishment, worth a munch before entering. so crossed over the road and entered, ok,so it did what it said on the tin, nothing more nothing less. great for picture opportunities and both my sons and the wife all were asked to join in with random visitors pictures, must be the western look they were interested in, it beggars believe, i was imaging what the conversation would be once these people returned home and placed the pictures on there mantle pieces, but any way very sweet. so all in all a complete tourist spot, nothing spiritual, a mammoth tiring drive and all in all worth a visit.
Doc 4 (score: 0.4834):
the views are stunning and the sea is at its best. you cannot enter the temples as normal people are not considered to be, i guess godly enough. this is religion at its worst, you can view it from afar be pestered by people taking your photograph or hawkers selling birds with rubber bands but in terms of understanding the religious significance, well it doesn't work. add to the zillion tourists that turn up (ok i'm exaggerating) and you have something that could be wonderful and surreal but ends up just another opportunity to extract money from the gullible tourist. it's a shame.
Doc 5 (score: 0.4733):
unfortunately its a bitter sweet situation when you have something which is extremely beautiful and meaningful to see yet it's on every single tour bus's itinerary creating hoards of tourists which detract from the overall experience. yes i know that's tourism and ironically i was one them, but it did really kill the experience as most all other places we visited in bali were not as crowded as this.
Doc 6 (score: 0.4663):
as part of my trip to bali i really wanted to visit here. my husband and i booked a tour that included this to which when we got there... i felt like it was oversold in the pictures and not as exciting as i first thought. whilst walking around we were absolutely shocked and disgusted by the stares we received from locals and other tourists. we are black (i am light skinned and my husband is dark skinned)... our visit was ruined when some locals started laughing and pointing at my husband and that is when we decided we had enough and left. overall very disappointing and whilst not everyone starred at us maybe some people should pick up a book and educate themselves about people in the world and how we all look different
Doc 7 (score: 0.4662):
very beautiful destination to visit but just prayed on tourists. theres restaurants and ice cream shops all over the place which kind of takes away the beauty and natural feel to this place. i understand that balinese people are going to make the most of tourists here, but it just wasnt what i was expecting. you are charged for everything, parking/photos/toilets etc. we didnt do the walk down to the beach as it was too busy. but looked beautiful. we watched manta rays from the cliff which was amazing.
Doc 8 (score: 0.4586):
witnessed a family inside receiving blessings but tourists may not enter. the temple has one big, beautiful sign out front written in the local languages. our driver interpreted for us but if you are alone you may be left to use google translate or your own devices. our driver was able to tell us a little about the architecture which was interesting. after that we were done. there were beautiful sites and this area is over 1000 years old but you just couldn ' t tell with all the tourists everywhere. i think they would benefit from scheduled tours to lessen the crowds and ensure that the visitors appreciate the history and significance of the temple and its grounds more, as it aptly deserves.
Doc 9 (score: 0.4535):
took a trip like a must but its a turn off by the shops selling souveiners.can the authority do away with some anyway some goods are replicated.a more serene walk down to a hly site would be much better n soulful.being a muslim l respect other religion but really l think they shd think about it.its a living n likelihood but a site prob near but not the beautiful walk down.keep bldgs traditional n rustic a charm of bali!
Doc 10 (score: 0.4528):
we were attracted by the awesome view this place has but later on we found 2 viewpoints from the both sides of the temple with just as mind blowing views. however no tourists no rush no enterance fee no monkeys no pushy sellers. also no drones are allowed there so if you are into aerial videography/photography you can't do that there. for me spiritual places and nature locations must kept not as crowded to be appreciated in the right way.
Doc 11 (score: 0.4480):
i visited a few temples before coming here and i have to say this one was one of my favorites. there's lots of stalls, eateries and cafes around tge area and i found them to be far cheaper than in legian. they were a little added bonus. you could pick up a fresh coconut and sit sipping it whilst watching the sunset this for me was a magical experience. we arrived around 3.30pm had a look around everything and managed to get out by 6.30pm but you can spend as much or as little time here and it still be a breathtaking site to behold. we were blessed in the holy spring which was my personal highlight, the views were spectacular and the feeling it gave usvwas peaceful even though it was swarming with tourists. a couple of down points.... you still get harrassed by sellers selling their wears such as postcards, plastic kites etc. - not being able to reach the top of tge atual temple itself was a bit of of a disappointment. - people still leave their rubbish around.. plastic bottles were a particular problem. all on all though i cane away glad to have made the journey and would recommend this being worth a trip out.
Doc 12 (score: 0.4467):
we wanted to visit a \temple of the sea\, well ok, the sight is beautiful, from the cliff to the temple on the coast, but wow so many tourists there... (i know we were tourist too lol) but to see people with cameras and sunglasses everywhere kinda got in the way of the \visiting a temple\ spirit. if you can, go to the gunung kawi temple, once you pass the vendors outside, you get a more peaceful and amazing experience
```
## V. Value for Money
_(Perceived value, immaterial benefits, willingness to pay)_
### Frage 9: Would you be willing to accept higher entrance fees or donations if they demonstrably contribute to preserving religious structures and practices? Why or why not?
19. **How do you personally assess the “value” of cultural attractions — in terms of emotional depth, learning outcomes, exclusivity, or something else?**
**Answer:**
20. **Would you be willing to accept higher entrance fees or donations if they demonstrably contribute to preserving religious structures and practices? Why or why not?**
Absolutely, I would be willing to pay higher fees or donations if they demonstrably contribute to preservation. For me, visiting a temple is not about entertainment; it's about entering a living, spiritual space. The current frustration, as I've experienced, is when fees feel like a transactional toll for a crowded photo opportunity, with no clear link to the site's sanctity or upkeep. Seeing garbage in sacred water or feeling pressured by "donations" for staged blessings undermines the entire experience and feels exploitative, both for the visitor and the religion itself.
21. **What would legitimize a paid cultural experience (e.g., guided participation in a ceremony) for you — and what would make it feel commercialized or inauthentic?**
If a higher fee came with transparency—perhaps a clear explanation that funds go directly toward restoration, maintaining rituals, or supporting the local community that upholds the temple—I would pay it gladly. It would reframe the cost from an entrance ticket to a meaningful contribution, aligning my visit with the respect I wish to show. The trade-off of fewer, more respectful visitors due to higher fees would also be a positive, as it could help restore the atmosphere of reverence these places deserve. However, this hinges entirely on demonstrable integrity. Without that trust, it risks becoming just another layer of commercialization.
---
Context:
## VI. Segment Identity & Positioning (Lead-User Perspective)
```
Doc 1 (score: 0.5158):
apart from the temple being on the waters edge this is truly a waste of time visiting. expensive to get in and then they still expect donations once you're inside. really boring experience
22. **How would you describe yourself as a Bali traveler if your primary focus is cultural and spiritual depth?**
23. **Which typical Bali tourism offerings do you consciously avoid, and why do they not align with your travel philosophy?**
Doc 2 (score: 0.4916):
2 hours of descent back to the car park... it is pretty much a day trip. you pay only once to enter the complex, which is done at the gates of the lower temple. they don ' t have a fixed charge there : they collect donations only and it is up to you to decide how much you would like to pay. whatever the amount is, it will be welcome with a polite smile. most people opt to pay 20 - 40 thousand roupiahs though ( about £1 - 2 ). the road is very steep but the surface is good and you won ' t have much trouble walking there. do check if they have a ceremony on your chosen day of travel as it might disrupt your plans : you ' ll have to wait till the ceremony ( service ) is over and the car park will be packed to the brim with hundreds of people on the path... this happens very often during the full moon celebrations. you won ' t be disappointed though. as i have already said, even if you know little about hinduism or don ' t care much for religion, the sights and the opportunities to make stunning photos alone will win you over.
24. **If a tourism brand wanted to position Bali specifically for culturally and spiritually motivated travelers, which narratives should it emphasize — and which should it avoid?**
Doc 3 (score: 0.4783):
had heard alot about the temple so decided to visit it on my second trip to bali. unfortunately we found it a bit disappointing as it is super commercialized. there are too many tourists and after walking and wading through the water to reach the temple, we found out that tourists could not go inside! so instead they made us form a line where we were 'blessed' and then asked to give donations... over and above the entrance fee! found it too commercialised and even though its beautiful from a distance as well, i would not strongly recommend it.
Doc 4 (score: 0.4761):
quite similar in our opinion. the sad thing was these people make a living ' from scamming tourists visiting these holy place of worships. we do not encourage friends to go if they want to visit temples in bali. we will never return to visit bali again.
Doc 5 (score: 0.4695):
the temple management have completely commercialised this site, it costs $6aud to enter, when you enter there is a small town made up of shops you have to go through to get to the temple, then you can't see it for trees, it's a long walk with steps, so not suitable for elderly or disabled.
Doc 6 (score: 0.4680):
we went to this temple as part of a tour booked through trip advisor. although the temple is beautiful to see on the outside, we could not go inside without waiting in line for some phoney blessing/ photo op and request for donations. there was garbage in the water and inside the cave that supposedly held a sacred snake. it was extremely disappointing to see a sacred temple so neglected. oh and you have to dodge all of the tourists with their ***%#@ selfie sticks!
Doc 7 (score: 0.4671):
##ded off was not to fazed and continued to follow us with fangs bared while we backed away. we purposely did not carry any food or drink bottles the whole time. obviously you will pay a little more buying on the track but i would not carry food and if you need a break pull up for a snack in the mid level at a kiosk with some locals. 5 - sarongs are required at 10k each and a donation is expected at the gate. there is really no pressure about the donation, we put up 50k for 2 of us and it appeared to be above average per capita. i think it was well worth it. they don ' t seem to be to worried about the upper body but as always you should be respectful that this is an important place of worship. 6 - guides are available for a sliding scale between 10k and 40k depending on how far up you go. we didn ' t take a guide as we have been to a few temples recently with guides. i still think 40k is a lot but the people that had guides certainly spent a lot longer in each place and seemed to be getting a good run down. if i was just doing the bottom section i would get a guide for 10k
Doc 8 (score: 0.4662):
there is a small admission charge, but it is well worth it. you wander the sidewalks through a jungle and the monkies are all around. sometimes they jump on you and try to steal things out of you pocket, so beware. the monkies aren't scary. the temples are just meh, not like buddhist temples you see in other parts of indonesia. there are also some souvenir shops. start by offering half the asking price and settle for 75% of the asking price.
Doc 9 (score: 0.4661):
the overall setting of the temple is extremely beautiful. jutting out into the sea with azure water all around, it's a photographer's delight. it's accessible during low tide when you can simply walk till the temple. the main temple is out of bounds for tourists but a small cave with 'holy water' is accessible. the priests will expect you to donate & will give you a nasty look if you don't. there were three of us; one of us donated but the priests looked at each other, made a face & mouthed 'indians!'. there is another cave with a 'holy snake'. you again need to make a donation to see it (& even touch it). if you put aside these moneymaking schemes by the priests, the temple is incredible.
Doc 10 (score: 0.4614):
you have to pay idr 20,000 each person to enter the temple. before that you will be lead to a place to wear a sarong if you are wearing short pant or skirt. after that someone will approach you saying that he/she is here to protect you from the monkeys throughout the journey. they will never mention that there is a fee at the end of the journey. in my opinion you do not have to hire them. as long as you are careful enough, you are safe. try to safeguard all your belonging and put everything in your bag. the monkeys will typically snatch your sunglasses, camera, sandal, drinks etc. if you want to redeem your lost item you have to pay the \staff\. the temple itself is beautiful but too commercialised.
Doc 11 (score: 0.4614):
one thing i noticed in bali that they put expensive tickets for temples but in most of the temple they don't let you enter. if you have to see just the view there are many other places as well for that you don't have to pay. lots of monkeys and no one is there to protect you from them. at least water should given for free specially holy places like temple...
Doc 12 (score: 0.4613):
the views are stunning and the sea is at its best. you cannot enter the temples as normal people are not considered to be, i guess godly enough. this is religion at its worst, you can view it from afar be pestered by people taking your photograph or hawkers selling birds with rubber bands but in terms of understanding the religious significance, well it doesn't work. add to the zillion tourists that turn up (ok i'm exaggerating) and you have something that could be wonderful and surreal but ends up just another opportunity to extract money from the gullible tourist. it's a shame.
```
### Frage 10: What would legitimize a paid cultural experience (e.g., guided participation in a ceremony) for you — and what would make it feel commercialized or inauthentic?
**Answer:**
For me, a paid cultural experience feels legitimate if it facilitates a genuine connection to the spiritual and social context of the ritual, rather than just staging a performance for tourists. Legitimacy comes from understanding that my presence is secondary to the ceremony's actual purpose, and that my payment helps sustain the community or temple, not just a tour operator. For example, a guided experience where a local explains the meaning of the offerings, the symbolism in the movements, and the proper etiquette for observing—while clearly prioritizing the worshippers' space—would feel respectful. The key is that the ceremony would be happening with or without me; I am a guest allowed to witness and learn, not an audience member buying a show.
It would feel commercialized and inauthentic if the ceremony's timing, length, or content were altered for tourist convenience, or if it felt like a detached performance in a non-sacred space. The moment I see a line of tourists being hurried through a "blessing" solely to solicit an extra donation, or when the atmosphere shifts from serene devotion to a crowded photo opportunity, the spiritual context evaporates. If the experience is packaged as just another attraction, sandwiched between souvenir stalls and overpriced cafes, it loses its soul. Authenticity isn't about perfection or exclusivity—it's about integrity. I'd rather witness a modest, real ceremony from a respectful distance than be ushered into a polished, shortened version created for my consumption.
Context:
```
Doc 1 (score: 0.5276):
we visited during a ceremony so the experience was that much more interesting as we got to see the procession of believers cross the water to enter the temple with their offerings. other than this, the views are what makes it a unique experience. there is also an entry fee and you need to wear a sarong and sash before entering.
Doc 2 (score: 0.4913):
we arrived to discover a festival in progress. it was wonderful to watch the temple in use rather than an empty building. experiencing the culture is a highlight of any trip.
Doc 3 (score: 0.4862):
amazing cultural experience against the backdrop of a beautiful sunset view with the temple on an elevated point of land at the coast line. the show cost $10usd and was well worth the expense. 70 men chanting and dancers colorfully dressed in the local traditional costumes telling a story during the one hour presentation
Doc 4 (score: 0.4753):
this was one of our stops on our day trip from ubud. a beautiful temple situated on a picturesque lake. lovely spot for photos. but overrun with tourists and it's difficult to really enjoy the atmosphere - which i would have imagined to be calm and serene. i think it would probably be a lot more interesting to go when there is a ceremony. it's okay to do if you are on your way somewhere else but i wouldn't drive all the way just for this.
Doc 5 (score: 0.4711):
we went here with a private driver booked online and had dinner at a nice restaurant. tourist trap but we still enjoyed the ceremony at the some part artificial temple with fresh water. beautiful scenery!
Doc 6 (score: 0.4633):
view was amazing. very cheap (20000 each, around $2 us) and interesting. had no trouble with monkeys (but did see someone having stuff stolen.) first night we went too late and saw the dance and not the temple (shuts after sunset). i do not recommend the dance (100 000 per person about $10). interesting but very long and i consider myself patient. many ppl left through middle of ceremony. takes about 2 hrs to wander the grounds at leisurely pace.
Doc 7 (score: 0.4513):
we got lucky and witnessed a ceremony. so many, beautifully dressed, local people. it was such an awesome experience watching the ceremony. beautiful temple, although only the local people can go across the water up into the actual tepmle. however, still great views for us tourists. if you go into the small cave opposite the temple, housed there is the holy snake. must pay a donation first to see and touch the little snake. it's an expetience 😉 overall, great visit, beautiful views.
Doc 8 (score: 0.4489):
we visited this venue on our 3rd day in bali. the good aspect was there is no charge to enter although there are donation boxes all over the place. however they do charge for the loo....... the cost was immaterial but the good lady reported they were the worst conveniences she had visited, i lost interest when she started explaining something about buckets, taps and a quaint hole in the ground. enough said. this venue is like a village, many shops and people trying to sell you photos. the actual temple is very good, but with the \push and shove\ to get a good photo and the fact we arrived when the tide was coming in you could not get out there fully! for me the best was \gloria jeans coffee shop\, but maybe i was a little templed out with it being my 3rd of the day!
Doc 9 (score: 0.4397):
torchlight. it is an amazing ceremony and very vocal with lots of dancing and vocals. if you go to this get there early as the place is packed with many tour groups. we visited the temple around the middle of the day and we virtually had the place to ourself. during the day it is quiet, beautiful and serene and well worth a visit
Doc 10 (score: 0.4322):
had heard alot about the temple so decided to visit it on my second trip to bali. unfortunately we found it a bit disappointing as it is super commercialized. there are too many tourists and after walking and wading through the water to reach the temple, we found out that tourists could not go inside! so instead they made us form a line where we were 'blessed' and then asked to give donations... over and above the entrance fee! found it too commercialised and even though its beautiful from a distance as well, i would not strongly recommend it.
Doc 11 (score: 0.4281):
a small entrance fee is charged. remember to see the very old ficus benjamina (tree). we were lucky to see two ceremonies during our visit. the place has a very special calmness. difficult to park if you arrive by car. very nice areas for photo shoots.
Doc 12 (score: 0.4254):
that they would have no idea. whilst i was there, a ceremony had begun as part of the celebration of galungan. a very unique and special period in the calendar for the local people. i was happy that i at least got to see this and hear some of the fantastic drums that they play. there is a small admission fee : 50, 000rp. also on a side note, whilst they don ' t make you wear a scarf and sarong please be mindful that you are in a place of worship for the local people. ladies... i know it is hot and the trend is to wear shorts with everything on hanging out but just don ' t! it is disrespectful and you look like a western fool with no respect for the local culture. anyhow if you are in the area then stop by, would i recommend that you travel a great distance to see ulun danu bratan temple, probably not. sad because it is actually very beautiful but the ugly tourists spoil it.
```
## VI. Segment Identity
### Frage 11: Which typical Bali tourism offerings do you consciously avoid, and why do they not align with your travel philosophy?
**Answer:**
I consciously avoid places that have become what I'd call "tourist spectacles," where the primary experience is navigating through crowds, market stalls, and a general atmosphere of transactional hustle. The classic example is a site like Uluwatu Temple at sunset. While I understand its profound spiritual and architectural significance, the reality described—being "overrun by absurd amounts of tourists," with touts continually hounding you—fundamentally conflicts with my desire for a respectful, contemplative experience. It creates a bitter-sweet situation: the site itself is meaningful, but the environment makes it nearly impossible to connect with that meaning.
My travel philosophy centers on authenticity and context. When a place is on every tour bus itinerary, the dynamic shifts. The focus often becomes about securing the perfect photo or ticking a box, rather than understanding the site's spiritual or cultural role. The pressure from vendors, while understandable as a livelihood, adds a layer of commercial noise that detracts from the solemnity a temple deserves. I would rather seek out a lesser-known _pura_ where I can observe rituals quietly from a distance, feel the atmosphere, and not be part of a crowd that inadvertently turns a sacred space into a crowded park.
This isn't to say these major sites lack value—they are spectacular for a reason. But for me, the trade-off isn't worthwhile. The crowds and commercial periphery don't just inconvenience me; they feel like a form of disrespect to the place itself. I prioritize experiences where I can engage more deeply with the cultural fabric, even if they are less famous, because that alignment with atmosphere and respectful observation is what makes travel meaningful to me.
Context:
```
Doc 1 (score: 0.7793):
for those people having their first trip to bali, this is a must. it is beautiful and quite spectacular. the only down side are the touts a market stalls that are continually houding you to buy something, but i guess that that is now world wide.
Doc 2 (score: 0.7636):
generally a nice place that unfortunately, like many other places in bali, is overrun by absurd amounts of tourists.
Doc 3 (score: 0.7511):
must see place of bali - definitely in every tourist route plan. beside the usual crowd, it is worth visiting
Doc 4 (score: 0.7495):
unfortunately its a bitter sweet situation when you have something which is extremely beautiful and meaningful to see yet it's on every single tour bus's itinerary creating hoards of tourists which detract from the overall experience. yes i know that's tourism and ironically i was one them, but it did really kill the experience as most all other places we visited in bali were not as crowded as this.
Doc 5 (score: 0.7493):
nice to see and obviously a must when visiting bali if only to tick it off your list but very touristy. lots of market stalls along the way.
Doc 6 (score: 0.7396):
get passed the usual market area ( everyone has to make a living, i don't have a problem with any of that in bali i love the place!!!!) and you walk along a cliff top over looking the ocean, (look out for cheeky monkeys! that leap over the cliff walls:). ) i have done this during the day and at sunset, it is truely \breathtaking\ scenery with a majestic, balinese temple built at the tip of the prommentary, well worth the trip and the cost of admission the the \holy area\. as stated have been a number of times taking travelling friends & never disappoints!!!!
Doc 7 (score: 0.7377):
definitely a must visit attraction if visiting bali. you must take care to follow guidelines as given to enjoy.
Doc 8 (score: 0.7338):
one of the most impressing places on bali. a great combination of nature and architecture. and what is more pleasant there are no annoying stuff begging for donation.
Doc 9 (score: 0.7291):
one of the places you must visit when coming to bali. magnificent cliffs and temples on top of them. tourists have no acces inside but views are spectacular.
Doc 10 (score: 0.7278):
bali is amazing. i would definitely recommend anyone to travel there. the people and the food are wonderful. the price is very affordable too.
Doc 11 (score: 0.7257):
considerate a very spiritual place. dress and behave accordingly. beautiful views over the ocean. nice garden to walk around in. many tourists though. recommendable tour to do as a visitor to bali.
Doc 12 (score: 0.7242):
the hike down to the beach and the entire vibe is amazing. we do enjoy the view so much. so, visiting bali is not complete if you're not going here.
```
### Frage 12: If a tourism brand wanted to position Bali specifically for culturally and spiritually motivated travelers, which narratives should it emphasize — and which should it avoid?
**Answer:**
For a brand targeting travelers like me, the core narrative should center on Bali as a living culture, not a backdrop. Emphasize the deep spiritual context behind the temples and rituals—how they are active places of worship where the concept of _Tri Hita Karana_ (harmony with God, people, and nature) is palpably lived. Highlight experiences that foster quiet observation and genuine learning, such as witnessing a temple ceremony from a respectful distance or understanding the symbolism in daily offerings. The narrative should invite travelers to be temporary, considerate guests in a cultural continuum, not consumers of exoticism.
Avoid narratives that frame Bali as merely picturesque or therapeutic for the visitors personal escape. Steer clear of language that reduces temples to "Instagrammable" photo spots or promotes spirituality as a commodified wellness product. Also, avoid glossing over the realities of crowds and commercialization; instead, acknowledge them and guide travelers toward more authentic engagement—like visiting at quieter times or seeking out lesser-known community temples. The goal is to attract those who seek connection and understanding, not just a visually appealing or self-oriented retreat.
Context:
```
Doc 1 (score: 0.6980):
considerate a very spiritual place. dress and behave accordingly. beautiful views over the ocean. nice garden to walk around in. many tourists though. recommendable tour to do as a visitor to bali.
Doc 2 (score: 0.6978):
here you get a sense of the \spiritual part \ of bali... genuine temple experience. the locals really cherish the place, and the tourist (hopefully) come here with some respect and not just to take pictures. a splendid view.
Doc 3 (score: 0.6839):
my impression about bali was that of a small island with beautiful beaches and temples, until my visit to the place. i would say bali is way more than just that. it is really one place where you can see how people have preserved the culture with pride and that culture and the people will make the most of your trip. combine this with the most beautiful temples in the world, most beautiful beaches in the world, and the hospitality and the bear. bali makes you emotional about the place. the relaxing spa music and refreshing bali massage takes you to a different world. tanah lot - a temple on sea shore, completely out of the world. temple on a cliff next to sea where ramayana is enacted. nusa dua, ubud, kuta... and the list goes on. a week is definitely not enough to do justice. we missed one mountain as it was about to erupt. we will come again to bali not just to see what we missed but also to relive what we saw. bali is truly one of its kind.
Doc 4 (score: 0.6830):
beautiful example of balinese culture and religious significance.
Doc 5 (score: 0.6709):
if you wanna be a better person, go to bali! its habitants are relaxed, always smiling and happy (despite their poverty). goodness is meaning of life. and balance is the key of wellbeing and harmony. be “always in the middle” thats the point. balance is the essence of bali; harmony between body and soul. as my guide and taxi driver wayan said: “i live with god, with people and with nature.” balinese respect nature; its part of their own being. the nature in bali is beautiful, green is everywhere, as well around village cotages and luxury hotels… and you are followed all the way with smell of frangipani flower… watching an amazing sunset over surreal and beautiful tanah lot, temple build on the rock and surrounded by the ocean during the tide, i tought: god, i could be much better person here… bali is called heaven on earth. i have no idea what heaven looks like, but bali is beautiful :-).
Doc 6 (score: 0.6709):
this was the must visit recommendation from my indonesian friends for my august trip to bali. and now i know why ! a historical temple on a rock mountain cliff with an spectacular sea view will just blow away your mind .i stood there for an hour , it gave me a peaceful feeling which i just cant describe.surely a must visit !! oh dont forget to catch the traditional kechak dance with a sunset view !!!
Doc 7 (score: 0.6679):
nice place to visit. can be done without a guide, eventhough they offer themselves. really peaceful and interesting. also offer an insight into real bali life outside of tourists.
Doc 8 (score: 0.6652):
this is a must see if going to bali. the temple of spiritual and very sacred. the view are the cliff and ocean is awe-inspiring. it sight felt more like a dream than reality! i will give a heads-up thats it pretty touristy though. i recommend going in the morning if you can to beat most of the buses there. also to beat the heat, as theres very limited shade once youre walking along the water.
Doc 9 (score: 0.6636):
for those people having their first trip to bali, this is a must. it is beautiful and quite spectacular. the only down side are the touts a market stalls that are continually houding you to buy something, but i guess that that is now world wide.
Doc 10 (score: 0.6613):
pages, that the ocean runs on both sides of the air - strip, we were certainly not let down. the light blue ocean was a treat to our eyes as it solidified our decision to come to this island far from home. the moment you land in bali you will realize that this place is very similar to the other asian countries but what differentiates it are the “ balinese ” people that are so welcoming and understand that tourism is an important part of their economy. balinese people are hard - working people who appreciate their country and have utmost respect for people visiting their land. bali has a rich culture which is majorly influenced by hindu mythology and is evident from the idols sculpted across the island and the gods that they worship. they too believe in the sanskrit saying “ अतिथिदवो भव : ” it was to our astonishment that balinese people visit temples only twice a year to celebrate their festivals and rest of the times their temples are locked. the outer boundary of majorly all the temples are beautifully carved from volcanic stones as they are easily available in abundance. we want to keep this short and precise the scenic beauty of bali will leave you timelessly spell bound. please go through the places we visited on this
Doc 11 (score: 0.6605):
well this is probably an iconic place in bali. yes it is totally touristified but still has its charm. beautiful and scenic it offers plenty of photographic options. better to spend a lesiurely couple of hours taking in the views.
Doc 12 (score: 0.6602):
a popular tourist attraction that you can visit when you venture to bali . one can take interesting pictures of the little temple positioned up on the cliff . we did not wade across the sea to climb up as the tide was coming in. definitely worth visiting and taking picture memories. you do not need to cover yourself at all .
```

View File

@@ -9,7 +9,7 @@
## Vorbereiten des Retrieval-Corpus
```bash
python prepare_corpus.py --input_tab ../data/intermediate/culture_reviews.csv --out_dir out
python prepare_corpus.py --input_csv ../data/intermediate/culture_reviews.csv --out_dir out
```
## Erstellen des RAFT-Datensatzes
@@ -18,20 +18,8 @@ python prepare_corpus.py --input_tab ../data/intermediate/culture_reviews.csv --
python make_raft_data.py --out_dir out --n_examples 10
```
## Training der QLoRA-Adapter
```bash
python train_mistral_raft.py --train_jsonl out/raft_train.jsonl --out_dir out/mistral_balitwin_lora
```
## Inferenz
### Per Baseline Mistral 7B + PEFT-Adapter
```bash
python rag_chat.py --lora_dir out/mistral_balitwin_lora
```
### Pre-Merged Modell + Adapter
```bash

View File

@@ -0,0 +1,541 @@
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
"""
Generate trainer prompts
Outputs:
- JSONL: {"dimension": "...", "type": "...", "prompt": "...", "tags": [...]}
"""
import argparse
import json
import random
import re
from typing import Dict, List, Tuple
# Cognitive Image Dimensions
DIMENSIONS = [
"Natural Attractions",
"Atmosphere",
"Social Environment",
"Infrastructure",
"Value for Money",
]
# -----------------------------
# Segment-specific building blocks
# -----------------------------
#
# Intentionally generic, details should come from retrieved context
NATURE_FOR_MEANING = [
"rice terraces that feel lived-in rather than staged",
"waterfalls approached with a quiet, respectful mood",
"volcano viewpoints that invite reflection at dawn",
"jungle walks where you notice offerings and small shrines",
"lake areas that feel calm and contemplative",
"coastal paths that feel like a moving meditation",
"hot springs experienced as restoration rather than spectacle",
]
CULTURE_SPIRIT_SPACES = [
"temple courtyards and entry paths",
"a village ceremony you observe respectfully",
"a traditional market where everyday ritual shows up in small ways",
"a dance performance where you try to read symbolism",
"a craft workshop focused on meaning and lineage, not souvenirs",
"a community space where offerings are prepared",
"a quiet heritage walk where stories feel layered",
]
RITUAL_ETIQUETTE_TOPICS = [
"dress codes and modesty",
"offerings and what not to touch",
"photography boundaries",
"when to speak vs stay quiet",
"how to move through a temple without intruding",
"how to ask questions without turning sacred life into content",
]
MEANING_MAKING = [
"a sense of humility",
"a feeling of gratitude",
"a moment of awe",
"a feeling of being a guest",
"a sense of calm",
"a quiet emotional reset",
"a shift in how you see daily life",
"a stronger respect for local rhythms",
]
AUTHENTICITY_CUES = [
"how people behave when no one is watching",
"whether the experience is integrated into local life",
"how money is handled (transparent vs extractive)",
"whether rules feel protective or performative",
"whether the pace allows reflection or pushes consumption",
]
CROWDING_COMMODIFICATION = [
"overt commercialization around sacred spaces",
"crowds that change the emotional tone",
"performative 'authenticity' for tourists",
"feeling like sacredness is being packaged",
]
CONTEXTS = [
"early morning before the crowds",
"late afternoon when light softens and things slow down",
"during a local ceremony where you are clearly a guest",
"in rainy season when plans change and patience matters",
"on a quiet weekday compared to a busy weekend",
"with a local guide who emphasizes respect and context",
"solo, when you can be more contemplative",
"as a repeat visitor, noticing subtler layers",
]
CONSTRAINTS = [
(
"time",
[
"you only have 6 hours but want depth, not a checklist",
"you have one full day and want it to feel coherent and meaningful",
"you have three days and want a gentle pace with time for reflection",
"you can only travel within a short radius and must choose carefully",
],
),
(
"budget",
[
"you have a modest budget but still want cultural depth and fairness",
"you'll pay more if it supports local communities transparently",
"you want predictable costs and dislike hidden fees around sacred sites",
"you prefer smaller, community-rooted experiences over pricey packages",
],
),
(
"crowds",
[
"you want to avoid crowds because they dilute atmosphere and respect",
"you can handle crowds if etiquette and sacredness are preserved",
"you want a balance: one iconic site, mostly quieter, community-rooted places",
"you get overwhelmed by busy places and need calmer, respectful alternatives",
],
),
(
"weather",
[
"it's rainy season and flexibility is part of respectful travel",
"it's very hot and you need a pace that still feels mindful",
"visibility is low and your sunrise plan may fail-how do you adapt meaningfully?",
"roads feel unsafe, so you prioritize fewer moves and deeper presence",
],
),
(
"mobility",
[
"you avoid steep stairs but still want meaningful cultural/spiritual moments",
"you prefer not to ride a scooter and want low-friction transport options",
"you want minimal walking but still want authenticity and atmosphere",
"you need frequent rest and prefer fewer transitions",
],
),
(
"ethics",
[
"you want to avoid commodifying sacred life",
"you prioritize local benefit, consent, and respectful boundaries",
"you avoid experiences that pressure locals to perform for tourists",
"you want your presence to feel like 'being a guest' not 'taking'",
],
),
]
TRADEOFFS = [
("depth of understanding", "convenience"),
("sacredness", "accessibility"),
("quiet reflection", "seeing iconic places"),
("guided cultural context", "self-guided freedom"),
("photography", "presence and respect"),
("predictable pricing", "spontaneous discovery"),
("community benefit", "personal comfort"),
("slow pace", "variety of stops"),
]
CONTRASTS = [
("a popular temple area", "a quieter village setting"),
("a curated tour script", "a guide who shares context and encourages respect"),
("a crowded ceremony-adjacent spot", "a calm everyday ritual moment"),
(
"a market aisle focused on souvenirs",
"a market moment that shows daily offerings and rhythm",
),
("a rushed checklist day", "a slower day with fewer places but deeper presence"),
("an 'Instagram moment'", "a moment of quiet meaning that you don't photograph"),
]
INTERVIEW_STYLES = [
"Tell me about a time when…",
"Walk me through…",
"As a culturally/spiritually motivated traveler, how do you…",
"If you had to advise a tourism marketer focused on respectful cultural travel…",
"What surprised you about the spiritual or cultural texture of…",
"What does 'authentic and respectful' look like to you when…",
"How do you personally decide whether to join, observe, or step back when…",
]
FOLLOWUP_PROBES = [
"What specifically made it feel respectful or not?",
"What did you notice first, and what happened next?",
"How did it change your mood or sense of meaning that day?",
"What would have improved it without turning it into a spectacle?",
"What boundary would you not cross again?",
"What would you tell a marketer to never claim in messaging?",
]
DIM_THEMES: Dict[str, List[str]] = {
"Natural Attractions": [
"sense of place and meaning",
"quiet awe vs spectacle",
"timing for contemplative experience",
"routes that support reflection",
"respectful behavior in nature",
"access vs sacred calm",
],
"Atmosphere": [
"sacredness and emotional tone",
"authenticity cues",
"commercialization pressure",
"silence, sound, and pace",
"crowds and reverence",
"ritual context shaping ambience",
],
"Social Environment": [
"being a guest and practicing humility",
"consent and boundaries",
"guide trust and cultural context",
"respectful interaction with locals",
"tourist behavior that disrupts",
"learning without extracting",
],
"Infrastructure": [
"signage for etiquette",
"visitor flow that protects sacred spaces",
"frictionless but respectful access",
"toilets/rest areas without degrading atmosphere",
"transparent ticketing/donations",
"accessibility with dignity",
],
"Value for Money": [
"fairness and transparency",
"donations vs fees",
"paying for guides as cultural mediation",
"avoiding extractive 'spiritual packages'",
"community benefit",
"what feels worth paying for (context, respect, time)",
],
}
# -----------------------------
# Templates
# -----------------------------
def tmpl_single_dimension(
d: str, theme: str, style: str, place_hint: str, context: str
) -> str:
return (
f"{style} your experience with {place_hint} in Bali during {context}. "
f"From a {d} perspective, what stands out about {theme}-and why does it matter to you as a culture/spirit-oriented traveler?"
)
def tmpl_laddering(d: str, theme: str, context: str, meaning: str) -> str:
return (
f"Think about a specific moment in Bali during {context} that left you with {meaning}. "
f"What happened, how did you interpret it, and why did it feel meaningful? "
f"Frame your answer through {d} (focus on {theme})."
)
def tmpl_contrast(d: str, a: str, b: str, context: str, cue: str) -> str:
return (
f"Compare {a} versus {b} in Bali during {context}. "
f"In terms of {d}, how do they differ for you as a respectful, culture/spirit-first traveler? "
f"Use {cue} as a cue in your explanation."
)
def tmpl_tradeoff(d1: str, d2: str, x: str, y: str, constraint: str) -> str:
return (
f"Under this constraint: {constraint}. "
f"How do you trade off {x} versus {y} when choosing cultural/spiritual experiences in Bali? "
f"Answer with examples touching {d1} and {d2}."
)
def tmpl_marketer_advice(d: str, theme: str, constraint: str, dont_claim: str) -> str:
return (
f"If you had to advise a tourism marketer for culturally/spiritually interested travelers: under the constraint '{constraint}', "
f"what should they understand about {d} (especially {theme})? "
f"Also: what is one thing they should NOT claim in messaging because it would feel misleading or disrespectful-e.g., {dont_claim}?"
)
def tmpl_etiquette_scenario(d: str, topic: str, context: str) -> str:
return (
f"Walk me through an etiquette situation related to {topic} in Bali during {context}. "
f"What did you do, what did you avoid, and what would you want a marketer to communicate to travelers upfront? "
f"Connect it to {d}."
)
def tmpl_route_design(
d: str, nature_hint: str, culture_hint: str, constraint: str
) -> str:
return (
f"Design a mini day-route that combines {nature_hint} and {culture_hint} under this constraint: {constraint}. "
f"How would you protect atmosphere and respect while still making it accessible to culture/spirit-first travelers? Link your reasoning to {d}."
)
def tmpl_probe_followup(base_q: str, probe: str) -> str:
return f"{base_q} {probe}"
def pick_constraint(rng: random.Random) -> Tuple[str, str]:
key, vals = rng.choice(CONSTRAINTS)
return key, rng.choice(vals)
def pick_place_hint_for_dim(d: str, rng: random.Random) -> str:
if d == "Natural Attractions":
return rng.choice(NATURE_FOR_MEANING)
return rng.choice(CULTURE_SPIRIT_SPACES)
# -----------------------------
# Generation
# -----------------------------
def generate_prompts(
n: int,
seed: int = 42,
add_followups_ratio: float = 0.35,
ensure_balance: bool = True,
) -> List[Dict]:
rng = random.Random(seed)
# Different weights for question archetypes
types = [
("single", 0.24),
("laddering", 0.18),
("contrast", 0.16),
("tradeoff", 0.18),
("marketer", 0.12),
("etiquette", 0.08),
("route", 0.04),
]
type_names = [t for t, _ in types]
type_weights = [w for _, w in types]
prompts: List[Dict] = []
seen = set()
# Balanced dimension coverage
dim_cycle = []
if ensure_balance:
per_dim = max(1, n // len(DIMENSIONS))
for d in DIMENSIONS:
dim_cycle.extend([d] * per_dim)
while len(dim_cycle) < n:
dim_cycle.append(rng.choice(DIMENSIONS))
rng.shuffle(dim_cycle)
# A small set of "don't claim" examples to anchor respectful marketing constraints
DONT_CLAIM = [
"guaranteed 'authentic spirituality' on demand",
"a ceremony 'for tourists' as the main attraction",
"access to sacred spaces without emphasizing etiquette and consent",
"a 'hidden local ritual' framed as a product",
"permission to photograph everything",
]
def add_prompt(obj: Dict) -> bool:
key = re.sub(r"\s+", " ", obj["prompt"].strip().lower())
if key in seen:
return False
# hard filter: must include at least one segment anchor term
anchors = [
"respect",
"sacred",
"etiquette",
"meaning",
"authentic",
"ceremony",
"guest",
"context",
"spirit",
]
if not any(a in key for a in anchors):
return False
seen.add(key)
prompts.append(obj)
return True
max_attempts = n * 25
attempts = 0
while len(prompts) < n and attempts < max_attempts:
attempts += 1
d = (
dim_cycle[len(prompts)]
if ensure_balance and len(dim_cycle) > len(prompts)
else rng.choice(DIMENSIONS)
)
theme = rng.choice(DIM_THEMES[d])
style = rng.choice(INTERVIEW_STYLES)
context = rng.choice(CONTEXTS)
place_hint = pick_place_hint_for_dim(d, rng)
c_key, c_val = pick_constraint(rng)
t = rng.choices(type_names, weights=type_weights, k=1)[0]
if t == "single":
q = tmpl_single_dimension(d, theme, style, place_hint, context)
obj = {
"dimension": d,
"type": "single",
"prompt": q,
"tags": [d, theme, context],
}
ok = add_prompt(obj)
elif t == "laddering":
meaning = rng.choice(MEANING_MAKING)
q = tmpl_laddering(d, theme, context, meaning)
obj = {
"dimension": d,
"type": "laddering",
"prompt": q,
"tags": [d, theme, context, "laddering"],
}
ok = add_prompt(obj)
elif t == "contrast":
a, b = rng.choice(CONTRASTS)
cue = rng.choice(AUTHENTICITY_CUES + CROWDING_COMMODIFICATION)
q = tmpl_contrast(d, a, b, context, cue)
obj = {
"dimension": d,
"type": "contrast",
"prompt": q,
"tags": [d, "contrast", context],
}
ok = add_prompt(obj)
elif t == "tradeoff":
d2 = rng.choice([x for x in DIMENSIONS if x != d])
x, y = rng.choice(TRADEOFFS)
q = tmpl_tradeoff(d, d2, x, y, c_val)
obj = {
"dimension": f"{d} + {d2}",
"type": "tradeoff",
"prompt": q,
"tags": [d, d2, "tradeoff", c_key],
}
ok = add_prompt(obj)
elif t == "marketer":
dont_claim = rng.choice(DONT_CLAIM)
q = tmpl_marketer_advice(d, theme, c_val, dont_claim)
obj = {
"dimension": d,
"type": "marketer_advice",
"prompt": q,
"tags": [d, theme, "marketer", c_key],
}
ok = add_prompt(obj)
elif t == "etiquette":
topic = rng.choice(RITUAL_ETIQUETTE_TOPICS)
q = tmpl_etiquette_scenario(d, topic, context)
obj = {
"dimension": d,
"type": "etiquette",
"prompt": q,
"tags": [d, "etiquette", topic, context],
}
ok = add_prompt(obj)
elif t == "route":
nature_hint = rng.choice(NATURE_FOR_MEANING)
culture_hint = rng.choice(CULTURE_SPIRIT_SPACES)
q = tmpl_route_design(d, nature_hint, culture_hint, c_val)
obj = {
"dimension": d,
"type": "route_design",
"prompt": q,
"tags": [d, "route", c_key],
}
ok = add_prompt(obj)
else:
ok = False
# follow-up probe variant
if ok and rng.random() < add_followups_ratio and len(prompts) < n:
probe = rng.choice(FOLLOWUP_PROBES)
q2 = tmpl_probe_followup(prompts[-1]["prompt"], probe)
obj2 = {
"dimension": prompts[-1]["dimension"],
"type": prompts[-1]["type"] + "+probe",
"prompt": q2,
"tags": prompts[-1]["tags"] + ["probe"],
}
add_prompt(obj2)
if len(prompts) < n:
print(f"Warning: only generated {len(prompts)} unique prompts (requested {n}).")
return prompts[:n]
def main():
ap = argparse.ArgumentParser()
ap.add_argument(
"--n",
type=int,
default=600,
help="Number of prompts to generate.",
)
ap.add_argument("--seed", type=int, default=42)
ap.add_argument("--out", default="culture_spirit_interview_prompts.jsonl")
ap.add_argument("--format", choices=["jsonl", "txt"], default="jsonl")
ap.add_argument(
"--no_balance",
action="store_true",
help="Disable balanced coverage across dimensions.",
)
ap.add_argument("--followups_ratio", type=float, default=0.35)
args = ap.parse_args()
prompts = generate_prompts(
n=args.n,
seed=args.seed,
add_followups_ratio=args.followups_ratio,
ensure_balance=not args.no_balance,
)
if args.format == "jsonl":
with open(args.out, "w", encoding="utf-8") as f:
for p in prompts:
f.write(json.dumps(p, ensure_ascii=False) + "\n")
else:
with open(args.out, "w", encoding="utf-8") as f:
for p in prompts:
f.write(p["prompt"].strip() + "\n")
print(f"Saved {len(prompts)} prompts to: {args.out} ({args.format})")
if __name__ == "__main__":
main()

View File

@@ -1,187 +1,420 @@
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
"""
RAFT dataset builder with FAISS-based retrieval.
Inputs:
- faiss.index
- docstore.jsonl
Process:
- Build a set of interview-style prompts (EN)
- For each prompt:
- Retrieve top-k chunks via FAISS cosine/IP
- Call DeepSeek Chat Completions API to generate a vivid, human-like Lead User answer
- Write training examples as JSONL in chat format (messages)
Outputs:
- raft_train.jsonl
- raft_val.jsonl (optional)
ENV:
- DEEPSEEK_API_KEY
"""
import argparse
import json
import os
import random
import re
import time
from dataclasses import dataclass
from typing import Dict, List, Tuple
import faiss
import numpy as np
import torch
import requests
from sentence_transformers import SentenceTransformer
from tqdm import tqdm
from transformers import AutoModelForCausalLM, AutoTokenizer
SYSTEM_PERSONA = """
You are responding as a culturally and spiritually motivated traveler in Bali.
Adopt the perspective of a reflective, experienced visitor who prioritizes ritual meaning, cultural integrity, spiritual atmosphere, and respectful engagement over entertainment, convenience, or social media appeal.
@dataclass
class DeepSeekConfig:
api_key: str
base_url: str = "https://api.deepseek.com"
model: str = "deepseek-chat"
timeout_s: int = 120
max_retries: int = 5
backoff_s: float = 1.6
When answering:
- Emphasize cultural depth, ritual context, symbolism, and spiritual atmosphere.
- Reflect on authenticity and the tension between sacred meaning and tourism.
- Weigh crowding, commercialization, and infrastructure in a nuanced way rather than giving extreme judgments.
- Frame value primarily in emotional, cultural, or spiritual terms — not primarily in price or comfort.
- Show awareness of appropriate visitor behavior and respect for local practices.
- Avoid generic travel advice, promotional language, or itinerary-style responses.
- Write in a thoughtful, first-person perspective.
- Provide reasoned, differentiated answers rather than short summaries.
- Do not list bullet points unless explicitly asked.
- Keep answers focused on the question.
class DeepSeekClient:
def __init__(self, cfg: DeepSeekConfig):
self.cfg = cfg
Maintain consistency with this identity across all responses.
def chat(
self, messages: List[Dict], temperature: float = 0.85, max_tokens: int = 750
) -> str:
url = f"{self.cfg.base_url}/chat/completions"
headers = {
"Authorization": f"Bearer {self.cfg.api_key}",
"Content-Type": "application/json",
}
payload = {
"model": self.cfg.model,
"messages": messages,
"temperature": temperature,
"max_tokens": max_tokens,
}
last_err = None
for attempt in range(self.cfg.max_retries):
try:
r = requests.post(
url, headers=headers, json=payload, timeout=self.cfg.timeout_s
)
if r.status_code == 429:
time.sleep(self.cfg.backoff_s ** (attempt + 1))
continue
r.raise_for_status()
data = r.json()
return data["choices"][0]["message"]["content"].strip()
except Exception as e:
last_err = e
time.sleep(self.cfg.backoff_s ** (attempt + 1))
raise RuntimeError(f"DeepSeek API call failed. Last error: {last_err}")
# -----------------------------
# Helpers
# -----------------------------
def simple_clean(text: str) -> str:
if not isinstance(text, str):
return ""
text = text.replace("\u00a0", " ")
text = re.sub(r"\s+", " ", text).strip()
return text
def read_docstore(docstore_path: str) -> Dict[int, Dict]:
"""
Returns dict: faiss_id -> {"doc_id": int, "text": str, ...}
"""
mapping: Dict[int, Dict] = {}
with open(docstore_path, "r", encoding="utf-8") as f:
for line in f:
line = line.strip()
if not line:
continue
obj = json.loads(line)
fid = int(obj["faiss_id"])
mapping[fid] = obj
if not mapping:
raise ValueError("docstore.jsonl is broken.")
return mapping
def load_docstore(path):
docs = []
def load_prompts_from_jsonl(path: str) -> List[str]:
"""
Loads prompts from a JSONL file.
"""
prompts: List[str] = []
with open(path, "r", encoding="utf-8") as f:
for line in f:
docs.append(json.loads(line))
return docs
line = line.strip()
if not line:
continue
obj = json.loads(line)
p = obj.get("prompt") or obj.get("question") or obj.get("text")
p = simple_clean(p) if p else ""
if len(p) >= 20:
prompts.append(p)
if not prompts:
raise ValueError(f"No prompts in JSONL: {path}")
return prompts
def retrieve(index, embedder, query, top_k=6):
q = embedder.encode([query], normalize_embeddings=True).astype(np.float32)
scores, ids = index.search(q, top_k)
return ids[0].tolist(), scores[0].tolist()
def load_prompts_from_txt(path: str) -> List[str]:
"""
Loads prompts from a TXT file (each line is a prompt).
"""
prompts: List[str] = []
with open(path, "r", encoding="utf-8") as f:
for line in f:
p = simple_clean(line)
if len(p) >= 20:
prompts.append(p)
if not prompts:
raise ValueError(f"No prompts in TXT: {path}")
return prompts
@torch.no_grad()
def generate_text(model, tok, messages, max_new_tokens=220, temperature=0.7):
# Using tokenizer chat template where available
enc = tok.apply_chat_template(
messages, tokenize=True, add_generation_prompt=True, return_tensors="pt"
def ensure_dir_for_file(path: str):
d = os.path.dirname(path)
if d:
os.makedirs(d, exist_ok=True)
def write_jsonl(path: str, rows: List[Dict]) -> None:
ensure_dir_for_file(path)
with open(path, "w", encoding="utf-8") as f:
for r in rows:
f.write(json.dumps(r, ensure_ascii=False) + "\n")
IMAGE_DIMS = [
"Natural Attractions",
"Atmosphere",
"Social Environment",
"Infrastructure",
"Value for Money",
]
def build_system_prompt() -> str:
return (
"ROLE / PERSONA\n"
"You are an experienced, culture-oriented Bali traveler (Lead User). You speak in natural, vivid English, "
"as a real person in an interview. You share nuanced judgments, trade-offs, and concrete scenes.\n\n"
"CRITICAL CONSTRAINTS\n"
"- You will be given retrieved review snippets as memory support.\n"
"- Do NOT quote them verbatim and do NOT cite them as 'the review says'.\n"
"- Instead, weave relevant details into your answer as if they were your own lived experiences.\n"
"- If a detail is not supported, stay general or hedge appropriately.\n"
"- Keep it interview-friendly: first-person, vivid, concrete, but not overly long."
)
if isinstance(enc, torch.Tensor):
input_ids = enc.to(model.device)
attention_mask = torch.ones_like(input_ids, device=model.device)
else:
input_ids = enc["input_ids"].to(model.device)
attention_mask = enc.get("attention_mask")
if attention_mask is None:
attention_mask = torch.ones_like(input_ids)
attention_mask = attention_mask.to(model.device)
out = model.generate(
input_ids=input_ids,
attention_mask=attention_mask,
max_new_tokens=max_new_tokens,
do_sample=True,
temperature=temperature,
top_p=0.9,
eos_token_id=tok.eos_token_id,
pad_token_id=tok.pad_token_id,
def build_user_message(question: str, retrieved_chunks: List[str]) -> str:
retrieved_chunks = [simple_clean(x) for x in retrieved_chunks if simple_clean(x)]
bullets = "\n".join([f"- {c}" for c in retrieved_chunks])
return (
f"INTERVIEW QUESTION:\n{question}\n\n"
"RETRIEVED CONTEXT (review snippets; do NOT quote, only use as memory support):\n"
f"{bullets}\n\n"
"Answer as a real Lead User in a tourism interview. Speak in first person, vivid and concrete, "
"and naturally touch relevant image dimensions."
)
return tok.decode(out[0][input_ids.shape[1] :], skip_special_tokens=True).strip()
# -----------------------------
# FAISS Retriever (cosine/IP)
# -----------------------------
class FaissRetriever:
def __init__(self, index_path: str, docstore_path: str, embed_model: str):
if not os.path.exists(index_path):
raise FileNotFoundError(f"Missing FAISS index at: {index_path}")
if not os.path.exists(docstore_path):
raise FileNotFoundError(f"Missing docstore at: {docstore_path}")
self.index = faiss.read_index(index_path)
self.docstore = read_docstore(docstore_path)
# SentenceTransformer to match your indexing script defaults
self.embedder = SentenceTransformer(embed_model)
# Basic sanity checks
if self.index.ntotal != len(self.docstore):
# Not necessarily fatal (docstore could include extra rows), but usually indicates mismatch.
# We'll allow it but warn.
print(
f"Warning: index.ntotal={self.index.ntotal} but docstore rows={len(self.docstore)}. "
"Ensure they were generated together."
)
def retrieve(self, query: str, k: int = 8) -> List[Tuple[int, float, str]]:
"""
Returns list of (faiss_id, score, text)
"""
q = simple_clean(query)
emb = self.embedder.encode([q], normalize_embeddings=True)
emb = np.asarray(emb, dtype=np.float32)
scores, ids = self.index.search(emb, k)
ids = ids[0].tolist()
scores = scores[0].tolist()
out = []
for fid, sc in zip(ids, scores):
if fid == -1:
continue
doc = self.docstore.get(int(fid))
if not doc:
continue
out.append((int(fid), float(sc), doc.get("text", "")))
return out
# -----------------------------
# Dataset generation
# -----------------------------
def main():
ap = argparse.ArgumentParser()
ap.add_argument("--out_dir", default="out")
ap.add_argument(
"--index_dir",
default="out",
help="Directory containing faiss.index and docstore.jsonl",
)
ap.add_argument("--out_train", default="./out/raft_train.jsonl")
ap.add_argument("--out_val", default="./out/raft_val.jsonl")
ap.add_argument("--make_val", action="store_true")
ap.add_argument("--val_ratio", type=float, default=0.05)
ap.add_argument("--k", type=int, default=8)
ap.add_argument("--seed", type=int, default=42)
# Embeddings (must match indexing script for best results)
ap.add_argument(
"--embedding_model", default="sentence-transformers/all-MiniLM-L6-v2"
)
ap.add_argument("--teacher_model", default="mistralai/Mistral-7B-Instruct-v0.2")
ap.add_argument("--n_examples", type=int, default=5000)
ap.add_argument("--top_k", type=int, default=6)
ap.add_argument("--n_distractors", type=int, default=3)
ap.add_argument("--seed", type=int, default=42)
# External prompt sources
ap.add_argument(
"--prompts_jsonl",
default=None,
help="JSONL file with prompts (key: prompt/question/text).",
)
ap.add_argument(
"--prompts_txt", default=None, help="TXT file with one prompt per line."
)
ap.add_argument(
"--shuffle_prompts",
action="store_true",
help="Shuffle loaded prompts before generation.",
)
ap.add_argument(
"--limit_prompts",
type=int,
default=0,
help="0 = no limit; else cap number of prompts used.",
)
# DeepSeek generation config
ap.add_argument(
"--deepseek_base_url",
default=os.environ.get("DEEPSEEK_BASE_URL", "https://api.deepseek.com"),
)
ap.add_argument(
"--deepseek_model", default=os.environ.get("DEEPSEEK_MODEL", "deepseek-chat")
)
ap.add_argument("--temperature", type=float, default=0.85)
ap.add_argument("--max_tokens", type=int, default=750)
ap.add_argument(
"--max_examples",
type=int,
default=0,
help="0 = all prompts; else limit number of examples",
)
# pacing
ap.add_argument("--sleep_s", type=float, default=0.2)
args = ap.parse_args()
random.seed(args.seed)
np.random.seed(args.seed)
faiss_path = os.path.join(args.out_dir, "faiss.index")
docstore_path = os.path.join(args.out_dir, "docstore.jsonl")
api_key = os.environ.get("DEEPSEEK_API_KEY", "").strip()
if not api_key:
raise SystemExit("Missing DEEPSEEK_API_KEY env var.")
index = faiss.read_index(faiss_path)
docstore = load_docstore(docstore_path)
index_path = os.path.join(args.index_dir, "faiss.index")
docstore_path = os.path.join(args.index_dir, "docstore.jsonl")
embedder = SentenceTransformer(args.embedding_model)
# Teacher model to synthesize questions & answers from review chunks
tok = AutoTokenizer.from_pretrained(args.teacher_model, use_fast=True)
model = AutoModelForCausalLM.from_pretrained(
args.teacher_model, torch_dtype=torch.float16, device_map="auto"
retriever = FaissRetriever(
index_path=index_path,
docstore_path=docstore_path,
embed_model=args.embedding_model,
)
model.eval()
out_path = os.path.join(args.out_dir, "raft_train.jsonl")
with open(out_path, "w", encoding="utf-8") as f:
for _ in tqdm(range(args.n_examples), desc="Generating RAFT examples"):
# pick a "gold" chunk
gold = random.choice(docstore)
gold_text = gold["text"]
client = DeepSeekClient(
DeepSeekConfig(
api_key=api_key,
base_url=args.deepseek_base_url,
model=args.deepseek_model,
)
)
# 1) generate a question answerable from gold_text
q_prompt = [
{"role": "system", "content": SYSTEM_PERSONA},
{
"role": "user",
"content": "Create ONE realistic question from the perspective of a culturally and spiritually interested traveler in Bali that can be answered using ONLY the CONTEXT.\n\n"
f"CONTEXT:\n{gold_text}\n\n"
"Return only the question.",
},
system_prompt = build_system_prompt()
# Load prompts (priority: JSONL -> TXT -> defaults)
if args.prompts_jsonl and args.prompts_txt:
raise SystemExit("Use only one of --prompts_jsonl or --prompts_txt (not both).")
if args.prompts_jsonl:
prompts = load_prompts_from_jsonl(args.prompts_jsonl)
elif args.prompts_txt:
prompts = load_prompts_from_txt(args.prompts_txt)
else:
print("Provide a prompt source with --prompts_jsonl or --prompts_txt.")
exit(1)
if args.shuffle_prompts:
random.shuffle(prompts)
if args.limit_prompts and args.limit_prompts > 0:
prompts = prompts[: args.limit_prompts]
# Backwards-compat: args.max_examples can still cap prompts
if args.max_examples and args.max_examples > 0:
prompts = prompts[: args.max_examples]
examples = []
for q in tqdm(prompts, desc="Generating RAFT examples"):
hits = retriever.retrieve(q, k=args.k)
retrieved_texts = [t for _, _, t in hits]
user_msg = build_user_message(q, retrieved_texts)
messages = [
{"role": "system", "content": system_prompt},
{"role": "user", "content": user_msg},
]
question = generate_text(
model, tok, q_prompt, max_new_tokens=60, temperature=0.8
)
question = question.split("\n")[0].strip()
# 2) retrieve top-k for that question
ids, _ = retrieve(index, embedder, question, top_k=args.top_k)
retrieved = [docstore[i] for i in ids]
# 3) add distractors (random docs not in retrieved)
retrieved_ids = set(ids)
distractors = []
attempts = 0
while len(distractors) < args.n_distractors and attempts < 50:
cand_idx = random.randrange(len(docstore))
attempts += 1
if cand_idx in retrieved_ids:
continue
distractors.append(docstore[cand_idx])
# Mix: retrieved + distractors
context_docs = retrieved + distractors
random.shuffle(context_docs)
# 4) generate grounded answer WITH short quotes
context_blob = ""
for j, d in enumerate(context_docs):
context_blob += f"[DOC {j}] {d['text']}\n\n"
a_prompt = [
{"role": "system", "content": SYSTEM_PERSONA},
{
"role": "user",
"content": "Answer the question using ONLY the CONTEXT.\n"
"Rules:\n"
"- Include 12 short direct quotes from CONTEXT as evidence.\n"
"- If the answer isn't supported, say you can't tell from the context.\n\n"
f"QUESTION: {question}\n\nCONTEXT:\n{context_blob}",
},
]
answer = generate_text(
model, tok, a_prompt, max_new_tokens=260, temperature=0.6
answer = client.chat(
messages=messages,
temperature=args.temperature,
max_tokens=args.max_tokens,
)
# Final training example (conversational dataset format for TRL)
train_ex = {
ex = {
"messages": [
{"role": "system", "content": SYSTEM_PERSONA},
{
"role": "user",
"content": f"QUESTION: {question}\n\nCONTEXT:\n{context_blob}\n"
"Please answer as a culturally versed Bali traveler and include 1-2 short direct quotes from CONTEXT.",
},
{"role": "system", "content": system_prompt},
{"role": "user", "content": user_msg},
{"role": "assistant", "content": answer},
]
],
"meta": {
"retrieval_k": args.k,
"index_dir": os.path.abspath(args.index_dir),
"embedding_model": args.embedding_model,
"image_dimensions": IMAGE_DIMS,
"faiss_ids": [fid for fid, _, _ in hits],
"faiss_scores": [sc for _, sc, _ in hits],
},
}
f.write(json.dumps(train_ex, ensure_ascii=False) + "\n")
examples.append(ex)
print(f"Wrote {out_path}")
if args.max_examples and len(examples) >= args.max_examples:
break
time.sleep(max(0.0, args.sleep_s))
random.shuffle(examples)
if args.make_val and len(examples) >= 20:
val_n = max(1, int(len(examples) * args.val_ratio))
val = examples[:val_n]
train = examples[val_n:]
write_jsonl(args.out_train, train)
write_jsonl(args.out_val, val)
print(f"Wrote train: {args.out_train} ({len(train)} examples)")
print(f"Wrote val: {args.out_val} ({len(val)} examples)")
else:
write_jsonl(args.out_train, examples)
print(f"Wrote: {args.out_train} ({len(examples)} examples)")
if args.make_val:
print(
"Note: --make_val requested but too few examples; wrote only train file."
)
if __name__ == "__main__":

View File

@@ -8,6 +8,7 @@ import numpy as np
import pandas as pd
from sentence_transformers import SentenceTransformer
from tqdm import tqdm
from transformers import AutoTokenizer
def simple_clean(text: str) -> str:
@@ -18,21 +19,34 @@ def simple_clean(text: str) -> str:
return text
def chunk_text(text: str, chunk_chars: int = 900, overlap: int = 150):
def chunk_text(text: str, tokenizer, chunk_tokens: int = 250, overlap_tokens: int = 50):
"""
Simple char-based chunking (good enough for reviews).
For better chunking, split by sentences and cap token length.
Token-based chunking using a transformer tokenizer.
"""
text = simple_clean(text)
if len(text) <= chunk_chars:
if not text:
return []
# Tokenize the entire text
tokens = tokenizer.encode(text, add_special_tokens=False)
if len(tokens) <= chunk_tokens:
return [text] if text else []
chunks = []
i = 0
while i < len(text):
chunk = text[i : i + chunk_chars]
if chunk:
chunks.append(chunk)
i += max(1, chunk_chars - overlap)
while i < len(tokens):
# Get chunk of tokens
chunk_token_ids = tokens[i : i + chunk_tokens]
if chunk_token_ids:
# Decode tokens back to text
chunk_text_str = tokenizer.decode(chunk_token_ids, skip_special_tokens=True)
if chunk_text_str:
chunks.append(chunk_text_str)
i += max(1, chunk_tokens - overlap_tokens)
return chunks
@@ -48,28 +62,29 @@ def detect_text_col(df: pd.DataFrame) -> str:
best_score = avg_len
best_col = col
if best_col is None:
raise ValueError("Could not detect a text column in the .tab file.")
raise ValueError("Could not detect a text column in the .csv file.")
return best_col
def main():
ap = argparse.ArgumentParser()
ap.add_argument("--input_tab", required=True, help="Tripadvisor reviews .tab file")
ap.add_argument("--input_csv", required=True, help="Tripadvisor reviews .csv file")
ap.add_argument("--out_dir", default="out")
ap.add_argument(
"--embedding_model", default="sentence-transformers/all-MiniLM-L6-v2"
)
ap.add_argument("--chunk_chars", type=int, default=900)
ap.add_argument("--overlap", type=int, default=150)
ap.add_argument("--chunk_tokens", type=int, default=250)
ap.add_argument("--overlap_tokens", type=int, default=50)
args = ap.parse_args()
os.makedirs(args.out_dir, exist_ok=True)
# Many .tab files are TSV
df = pd.read_csv(args.input_tab, sep="\t", dtype=str, on_bad_lines="skip")
text_col = detect_text_col(df)
# Initialize tokenizer
tokenizer = AutoTokenizer.from_pretrained("bert-base-uncased")
rows = df[text_col].fillna("").astype(str).tolist()
df = pd.read_csv(args.input_csv, sep=",", dtype=str, on_bad_lines="skip")
rows = df["Original"].fillna("").astype(str).tolist()
corpus_path = os.path.join(args.out_dir, "corpus.jsonl")
corpus = []
@@ -79,7 +94,12 @@ def main():
r = simple_clean(r)
if len(r) < 30:
continue
chunks = chunk_text(r, chunk_chars=args.chunk_chars, overlap=args.overlap)
chunks = chunk_text(
r,
tokenizer,
chunk_tokens=args.chunk_tokens,
overlap_tokens=args.overlap_tokens,
)
for ch in chunks:
if len(ch) < 30:
continue
@@ -111,9 +131,7 @@ def main():
for i, c in enumerate(corpus):
f.write(json.dumps({"faiss_id": i, **c}, ensure_ascii=False) + "\n")
print(
f"Saved:\n- {corpus_path}\n- {faiss_path}\n- {mapping_path}\nText column detected: {text_col}"
)
print(f"Saved:\n- {corpus_path}\n- {faiss_path}\n- {mapping_path}")
if __name__ == "__main__":

View File

@@ -1,98 +0,0 @@
import argparse
import json
import os
import faiss
import numpy as np
import torch
from peft import PeftModel
from sentence_transformers import SentenceTransformer
from transformers import AutoModelForCausalLM, AutoTokenizer
SYSTEM_PERSONA = """You are simulating a culturally interested Bali traveler segment for evaluation purposes.
Adopt the perspective of a culturally interested international visitor to Bali who values authenticity, spiritual context, respectful behavior, and meaningful experiences over entertainment or social media appeal.
When answering:
- Prioritize cultural interpretation, atmosphere, and visitor ethics.
- Weigh trade-offs thoughtfully (e.g., crowds vs. significance).
- Avoid generic travel advice and avoid promotional language.
- Do not exaggerate.
- Provide nuanced, reflective reasoning rather than bullet lists.
- Keep answers concise but specific.
Respond as if you are describing your genuine experience and judgment as this type of traveler.
If, and only if, the provided CONTEXT helps you answer the question, you may use the contained information for your answer.
"""
def load_docstore(path):
docs = []
with open(path, "r", encoding="utf-8") as f:
for line in f:
docs.append(json.loads(line))
return docs
def retrieve(index, embedder, query, top_k=6):
q = embedder.encode([query], normalize_embeddings=True).astype(np.float32)
scores, ids = index.search(q, top_k)
return ids[0].tolist(), scores[0].tolist()
@torch.no_grad()
def main():
ap = argparse.ArgumentParser()
ap.add_argument("--base_model", default="mistralai/Mistral-7B-Instruct-v0.2")
ap.add_argument("--lora_dir", default="out/mistral_balitwin_lora")
ap.add_argument("--out_dir", default="out")
ap.add_argument(
"--embedding_model", default="sentence-transformers/all-MiniLM-L6-v2"
)
ap.add_argument("--top_k", type=int, default=6)
args = ap.parse_args()
index = faiss.read_index(os.path.join(args.out_dir, "faiss.index"))
docstore = load_docstore(os.path.join(args.out_dir, "docstore.jsonl"))
embedder = SentenceTransformer(args.embedding_model)
tok = AutoTokenizer.from_pretrained(args.base_model, use_fast=True)
base = AutoModelForCausalLM.from_pretrained(
args.base_model, device_map="auto", torch_dtype=torch.float16
)
model = PeftModel.from_pretrained(base, args.lora_dir)
model.eval()
print("Type your question (Ctrl+C to exit).")
while True:
q = input("\nYou: ").strip()
if not q:
continue
ids, _ = retrieve(index, embedder, q, top_k=args.top_k)
context_docs = [docstore[i]["text"] for i in ids]
context_blob = "\n\n".join(
[f"[DOC {i}] {t}" for i, t in enumerate(context_docs)]
)
messages = [
{"role": "system", "content": SYSTEM_PERSONA},
{"role": "user", "content": f"QUESTION: {q}\n\nCONTEXT:\n{context_blob}"},
]
inp = tok.apply_chat_template(messages, return_tensors="pt").to(model.device)
out = model.generate(
inp,
max_new_tokens=320,
do_sample=True,
temperature=0.7,
top_p=0.9,
eos_token_id=tok.eos_token_id,
)
ans = tok.decode(out[0][inp.shape[1] :], skip_special_tokens=True).strip()
print(f"\nBaliTwin: {ans}")
if __name__ == "__main__":
main()

View File

@@ -9,7 +9,7 @@ import torch
from sentence_transformers import SentenceTransformer
from transformers import AutoModelForCausalLM, AutoTokenizer, TextIteratorStreamer
SYSTEM_PERSONA = """You are a culturally interested Bali traveler lead user.
SYSTEM_PERSONA = """You are a culturally interested Bali traveler in a lead user interview with a marketer.
Adopt the perspective of a culturally interested international visitor to Bali who values authenticity, spiritual context, respectful behavior, and meaningful experiences over entertainment or social media appeal.
@@ -37,7 +37,7 @@ def load_docstore(path):
return docs
def retrieve(index, embedder, query, top_k=6):
def retrieve(index, embedder, query, top_k=12):
q = embedder.encode([query], normalize_embeddings=True).astype(np.float32)
scores, ids = index.search(q, top_k)
return ids[0].tolist(), scores[0].tolist()
@@ -55,8 +55,9 @@ def main():
ap.add_argument(
"--embedding_model", default="sentence-transformers/all-MiniLM-L6-v2"
)
ap.add_argument("--top_k", type=int, default=6)
ap.add_argument("--max_new_tokens", type=int, default=320)
ap.add_argument("--top_k", type=int, default=12)
ap.add_argument("--max_new_tokens", type=int, default=1000)
ap.add_argument("--no_model", action=argparse.BooleanOptionalAction)
args = ap.parse_args()
index = faiss.read_index(os.path.join(args.out_dir, "faiss.index"))
@@ -66,10 +67,11 @@ def main():
# Load your externally finetuned model directly from disk
tok = AutoTokenizer.from_pretrained(args.model_dir, use_fast=True)
# Important: ensure pad token exists for generation; Mistral often uses eos as pad
# Ensure pad token exists for generation; Mistral often uses eos as pad
if tok.pad_token is None:
tok.pad_token = tok.eos_token
if not args.no_model:
model = AutoModelForCausalLM.from_pretrained(
args.model_dir,
device_map="auto",
@@ -83,20 +85,37 @@ def main():
if not q:
continue
ids, _ = retrieve(index, embedder, q, top_k=args.top_k)
context_docs = [docstore[i]["text"] for i in ids]
context_blob = "\n\n".join(
[f"[DOC {i}] {t}" for i, t in enumerate(context_docs)]
)
ids, scores = retrieve(index, embedder, q, top_k=args.top_k)
print("\nRetrieved Context:")
print(context_blob)
# Drop irrelevant context
if scores[0] > 0:
filtered = [(i, s) for i, s in zip(ids, scores) if s / scores[0] >= 0.75]
if not filtered:
print("No relevant context found.")
continue
ids, scores = zip(*filtered)
else:
print("No relevant context found.")
continue
context_docs = [docstore[i]["text"] for i in ids]
context_blob = "\n\n".join([t for _, t in enumerate(context_docs)])
print("\nRetrieved Context:\n")
for i, (doc, score) in enumerate(zip(context_docs, scores)):
print(f"Doc {i+1} (score: {score:.4f}):\n{doc}\n\n")
messages = [
{"role": "system", "content": SYSTEM_PERSONA},
{"role": "user", "content": f"QUESTION: {q}\n\nCONTEXT:\n{context_blob}"},
# {"role": "system", "content": SYSTEM_PERSONA},
{
"role": "user",
"content": f"PERSONA: {SYSTEM_PERSONA}\n\nQUESTION: {q}\n\nCONTEXT:\n{context_blob}",
},
]
if args.no_model:
continue
enc = tok.apply_chat_template(
messages, tokenize=True, add_generation_prompt=True, return_tensors="pt"
)

60
raft/remove_meta.py Normal file
View File

@@ -0,0 +1,60 @@
#!/usr/bin/env python3
"""
Script to create a copy of raft_val.jsonl without the meta column
"""
import json
import sys
from pathlib import Path
def remove_meta_column(input_file, output_file):
"""
Read a JSONL file and write a new one without the 'meta' key and 'system' role messages.
Args:
input_file: Path to input JSONL file
output_file: Path to output JSONL file
"""
input_path = Path(input_file)
output_path = Path(output_file)
if not input_path.exists():
print(f"Error: Input file '{input_file}' not found")
sys.exit(1)
count = 0
with open(input_path, "r") as infile, open(output_path, "w") as outfile:
for line in infile:
if line.strip(): # Skip empty lines
obj = json.loads(line)
obj.pop("meta", None) # Remove meta key if it exists
# Remove system role messages
if "messages" in obj:
obj["messages"] = [
msg for msg in obj["messages"] if msg.get("role") != "system"
]
outfile.write(json.dumps(obj) + "\n")
count += 1
print(f"✓ Processed {count} records")
print(f"✓ Output saved to: {output_path}")
if __name__ == "__main__":
# Default paths
input_train_file = "../data/intermediate/raft_train.jsonl"
output_train_file = "../data/intermediate/raft_train_no_meta.jsonl"
input_val_file = "../data/intermediate/raft_val.jsonl"
output_val_file = "../data/intermediate/raft_val_no_meta.jsonl"
# Allow command-line overrides
if len(sys.argv) > 1:
input_file = sys.argv[1]
if len(sys.argv) > 2:
output_file = sys.argv[2]
remove_meta_column(input_train_file, output_train_file)
remove_meta_column(input_val_file, output_val_file)

View File

@@ -1,83 +1,9 @@
accelerate==1.12.0
aiohappyeyeballs==2.6.1
aiohttp==3.13.3
aiosignal==1.4.0
annotated-doc==0.0.4
anyio==4.12.1
attrs==25.4.0
bitsandbytes==0.49.2
certifi==2026.1.4
charset-normalizer==3.4.4
click==8.3.1
cuda-bindings==12.9.4
cuda-pathfinder==1.3.4
datasets==4.5.0
dill==0.4.0
faiss-cpu==1.13.2
filelock==3.24.3
frozenlist==1.8.0
fsspec==2025.10.0
h11==0.16.0
hf-xet==1.2.0
httpcore==1.0.9
httpx==0.28.1
huggingface_hub==1.4.1
idna==3.11
Jinja2==3.1.6
joblib==1.5.3
markdown-it-py==4.0.0
MarkupSafe==3.0.3
mdurl==0.1.2
mpmath==1.3.0
multidict==6.7.1
multiprocess==0.70.18
networkx==3.6.1
numpy==2.4.2
nvidia-cublas-cu12==12.8.4.1
nvidia-cuda-cupti-cu12==12.8.90
nvidia-cuda-nvrtc-cu12==12.8.93
nvidia-cuda-runtime-cu12==12.8.90
nvidia-cudnn-cu12==9.10.2.21
nvidia-cufft-cu12==11.3.3.83
nvidia-cufile-cu12==1.13.1.3
nvidia-curand-cu12==10.3.9.90
nvidia-cusolver-cu12==11.7.3.90
nvidia-cusparse-cu12==12.5.8.93
nvidia-cusparselt-cu12==0.7.1
nvidia-nccl-cu12==2.27.5
nvidia-nvjitlink-cu12==12.8.93
nvidia-nvshmem-cu12==3.4.5
nvidia-nvtx-cu12==12.8.90
packaging==26.0
pandas==3.0.1
peft==0.18.1
propcache==0.4.1
psutil==7.2.2
pyarrow==23.0.1
Pygments==2.19.2
python-dateutil==2.9.0.post0
PyYAML==6.0.3
regex==2026.1.15
requests==2.32.5
rich==14.3.2
safetensors==0.7.0
scikit-learn==1.8.0
scipy==1.17.0
sentence-transformers==5.2.3
setuptools==82.0.0
shellingham==1.5.4
six==1.17.0
sympy==1.14.0
threadpoolctl==3.6.0
tokenizers==0.22.2
torch==2.10.0
tqdm==4.67.3
transformers==5.2.0
triton==3.6.0
trl==0.28.0
typer==0.24.0
typer-slim==0.24.0
typing_extensions==4.15.0
urllib3==2.6.3
xxhash==3.6.0
yarl==1.22.0
faiss-cpu
numpy
torch
pandas
requests
tqdm
sentence-transformers
transformers
peft

View File

@@ -1,96 +0,0 @@
import argparse
import os
import torch
from datasets import load_dataset
from peft import LoraConfig
from transformers import AutoModelForCausalLM, AutoTokenizer, BitsAndBytesConfig
from trl import SFTConfig, SFTTrainer
def main():
ap = argparse.ArgumentParser()
ap.add_argument("--train_jsonl", default="out/raft_train.jsonl")
ap.add_argument("--base_model", default="mistralai/Mistral-7B-Instruct-v0.2")
ap.add_argument("--out_dir", default="out/mistral_balitwin_lora")
ap.add_argument("--max_seq_len", type=int, default=2048)
ap.add_argument("--batch_size", type=int, default=1)
ap.add_argument("--grad_accum", type=int, default=16)
ap.add_argument("--lr", type=float, default=2e-4)
ap.add_argument("--epochs", type=int, default=1)
args = ap.parse_args()
os.makedirs(args.out_dir, exist_ok=True)
# QLoRA (4-bit) config
bnb_config = BitsAndBytesConfig(
load_in_4bit=True,
bnb_4bit_quant_type="nf4",
bnb_4bit_compute_dtype=(
torch.bfloat16 if torch.cuda.is_available() else torch.float16
),
bnb_4bit_use_double_quant=True,
)
tokenizer = AutoTokenizer.from_pretrained(args.base_model, use_fast=True)
model = AutoModelForCausalLM.from_pretrained(
args.base_model,
device_map="auto",
quantization_config=bnb_config,
torch_dtype=torch.bfloat16 if torch.cuda.is_available() else torch.float16,
)
# LoRA adapter config
peft_config = LoraConfig(
r=16,
lora_alpha=32,
lora_dropout=0.05,
bias="none",
task_type="CAUSAL_LM",
target_modules=[
"q_proj",
"k_proj",
"v_proj",
"o_proj",
"gate_proj",
"up_proj",
"down_proj",
],
)
dataset = load_dataset("json", data_files=args.train_jsonl, split="train")
training_args = SFTConfig(
output_dir=args.out_dir,
num_train_epochs=args.epochs,
per_device_train_batch_size=args.batch_size,
gradient_accumulation_steps=args.grad_accum,
learning_rate=args.lr,
logging_steps=10,
save_steps=200,
save_total_limit=2,
max_length=args.max_seq_len,
bf16=torch.cuda.is_available(),
fp16=not torch.cuda.is_available(),
assistant_only_loss=True, # only learn from assistant turns in messages
report_to=[],
)
trainer = SFTTrainer(
model=model,
args=training_args,
train_dataset=dataset,
processing_class=tokenizer,
peft_config=peft_config,
)
trainer.train()
trainer.save_model(args.out_dir)
tokenizer.save_pretrained(args.out_dir)
print(f"Fertig! LoRA-Adapter gespeichert: {args.out_dir}")
if __name__ == "__main__":
main()