Compare commits

..

4 Commits

Author SHA1 Message Date
71886c9091 Add unedited test RAFT build with deepseek 2025-10-20 23:43:50 +02:00
8cad184cb5 Add training results, update meta files 2025-10-20 23:40:58 +02:00
43363b6880 Add corpus and eval prompts 2025-10-20 23:07:33 +02:00
c17e5bcc22 Restructure 2025-10-20 23:06:52 +02:00
225 changed files with 29608 additions and 325690 deletions

3
.gitignore vendored
View File

@@ -1,7 +1,8 @@
.env
.venv/
**.venv**/
__pycache__/
**.bertopic
history*.json
model.pkl
all-MiniLM-L6-v2/
**.ipynb

1
.jupytext.toml Normal file
View File

@@ -0,0 +1 @@
formats = "ipynb,py:percent"

1
.venv Symbolic link
View File

@@ -0,0 +1 @@
./raft/.venv

File diff suppressed because one or more lines are too long

569
bertopic/nb_bertopic.py Normal file
View File

@@ -0,0 +1,569 @@
# ---
# jupyter:
# jupytext:
# text_representation:
# extension: .py
# format_name: percent
# format_version: '1.3'
# jupytext_version: 1.18.0
# kernelspec:
# display_name: .venv
# language: python
# name: python3
# ---
# %% [markdown]
# # Topic Detection: Bali Tourist Reviews
#
# %% [markdown]
# ## Preparation
#
# ### Dependency Loading
#
# %%
from bertopic import BERTopic
from bertopic.representation import KeyBERTInspired
from bertopic.vectorizers import ClassTfidfTransformer
from gensim.models.coherencemodel import CoherenceModel
from hdbscan import HDBSCAN
from nltk.corpus import stopwords
from nltk.stem import WordNetLemmatizer
from sentence_transformers import SentenceTransformer
from sklearn.feature_extraction.text import CountVectorizer
from sklearn.metrics.pairwise import cosine_similarity
from umap import UMAP
import gensim.corpora as corpora
import json
import nltk
import numpy as np
import pandas as pd
import re
import spacy
import pickle
nlp = spacy.load("en_core_web_sm")
nltk.download("stopwords")
nltk.download("punkt")
nltk.download("wordnet")
# %% [markdown]
# ### Parameters and Tracking
#
# %%
RECREATE_MODEL = True
RECREATE_REDUCED_MODEL = True
PROCESS_DATA = False
REDUCE_OUTLIERS = True
USE_CONDENSED_MODEL = False
DATA_SAMPLE_SIZE = -1 # -1 for all data
# Classical coherence score. Warning: needs swap to not kill your PC
CALCULATE_COHERENCE = False
# Vectorization
MIN_DOCUMENT_FREQUENCY = 1
MAX_NGRAM = 2
# HDBSCAN Parameters
MIN_TOPIC_SIZE = 200
MIN_SAMPLES = 25
# UMAP Parameters
N_NEIGHBORS = 15
N_COMPONENTS = 2
MIN_DIST = 0.01
# Topic Modeling
TOP_N_WORDS = 10
MAX_TOPICS = None # or "auto" to pass to HDBSCAN, None to skip
# %% [markdown]
# ### Data Loading & Preprocessing
#
# %%
if DATA_SAMPLE_SIZE != -1:
reviews = (
pd.read_csv("../data/original/reviews.tab", sep="\t")
.sample(n=DATA_SAMPLE_SIZE)
.review.dropna()
.to_list()
)
else:
reviews = (
pd.read_csv("../data/original/reviews.tab", sep="\t").review.dropna().to_list()
)
print("Loaded {} reviews".format(len(reviews)))
# %%
# List of NE in Bali for NER enhancement
with open("../data/supporting/bali_ner.json", "r") as f:
bali_places = json.load(f)
bali_places_set = set(bali_places)
# Stop word definition
extra_stopwords = ["bali", "idr", "usd"]
stop_words = set(stopwords.words("english"))
with open("../data/supporting/stopwords-en.json", "r") as f:
extra_stopwords.extend(json.load(f))
# Custom replacements
rep = {
r"\\n": " ",
r"\n": " ",
r'\\"': "",
r'"': "",
"mongkey": "monkey",
"monky": "monkey",
"verry": "very",
}
rep = dict((re.escape(k), v) for k, v in rep.items())
pattern = re.compile("|".join(rep.keys()))
lemmatizer = WordNetLemmatizer()
def preprocess(text):
# Step 1: Apply custom replacements (typos, special cases)
text = text.lower()
text = pattern.sub(lambda m: rep[re.escape(m.group(0))], text)
# Step 2: Clean text
text = re.sub(r"\d+", " ", text)
text = re.sub(r"\W+", " ", text)
doc = nlp(text)
# Step 3: POS tagging and filtering
filtered_tokens = [
token.text
for token in doc
if token.pos_ in {"NOUN", "PROPN"}
or token.ent_type_ in {"GPE", "LOC", "FAC"}
or token.text in bali_places_set
]
# Step 4: Lemmatization and stopword removal
lemmatized_tokens = [
lemmatizer.lemmatize(w)
for w in filtered_tokens
if w not in stop_words and w not in extra_stopwords and len(w) > 2
]
return lemmatized_tokens
# %%
if PROCESS_DATA:
print("Processing reviews...")
reviews = [preprocess(review) for review in reviews]
with open("../data/intermediate/processed_texts.pkl", "wb") as f:
pickle.dump(reviews, f)
else:
with open("../data/intermediate/processed_texts.pkl", "rb") as f:
reviews = pickle.load(f)
reviews = [
" ".join(review) if isinstance(review, list) else review
for review in reviews
]
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:
ctfidf_model = ClassTfidfTransformer(reduce_frequent_words=True)
vectorizer_model = CountVectorizer(
min_df=MIN_DOCUMENT_FREQUENCY, ngram_range=(1, MAX_NGRAM)
)
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, "output/model.bertopic")
else:
print("Nevermind, loading existing model")
topic_model = BERTopic.load("output/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]):
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)
except Exception as e:
print(f"Failed to merge {t1} and {t2}: {e}")
if nothing_to_merge:
print("No more topics to merge.")
done = True
# BERTopic.save(topic_model, "bertopic/model_reduced.bertopic")
elif USE_CONDENSED_MODEL:
print("Nevermind, loading existing reduced model")
topic_model = BERTopic.load("bertopic/model_reduced.bertopic")
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
#
# %%
from pathlib import Path
import random
# --- config ---
topics_to_keep = {2, 4, 6, 8, 10, 5, 7}
INPUT_PATH = "../data/original/reviews.tab" # TSV with a 'review' column
OUTPUT_CSV = "../data/intermediate/selected_topics_documents.csv"
OUTPUT_DIR = Path("../raft/corpus")
OUTPUT_DIR.mkdir(parents=True, exist_ok=True)
BATCH_SIZE = 60
MIN_CHARS = 40
SEED = 42
# --- load data ---
data = pd.read_csv(INPUT_PATH, sep="\t")
# If you already have `reviews` elsewhere, replace the next line with that variable
reviews = data["review"].astype(str).fillna("")
# Topic model document info
df = topic_model.get_document_info(reviews) # assumes your model is already fitted
df["Original"] = reviews.values
# --- filter by topics and length ---
filtered = df[df["Topic"].isin(topics_to_keep)].copy()
filtered["Original"] = filtered["Original"].str.strip()
filtered = filtered[filtered["Original"].str.len() >= MIN_CHARS]
# Save an audit CSV
filtered[["Original", "Topic"]].to_csv(OUTPUT_CSV, index=False)
# --- deterministic shuffle + write batched corpus files ---
total_files = 0
total_reviews = 0
rng = random.Random(SEED)
for topic_val, g in filtered.groupby("Topic", sort=True):
reviews_list = g["Original"].tolist()
# deterministic shuffle within topic
rng.shuffle(reviews_list)
# chunk into batches of up to 60
for start in range(0, len(reviews_list), BATCH_SIZE):
chunk = reviews_list[start : start + BATCH_SIZE]
if not chunk:
continue
# simple header for traceability
header = (
f"[TOPIC] {topic_val}\n" f"[Stats] N={len(chunk)} | Source={INPUT_PATH}\n"
)
lines = [header, ""]
for i, txt in enumerate(chunk, 1):
lines.append(f"({i}) {txt}")
part_idx = start // BATCH_SIZE + 1
fname = f"topic={topic_val}__part={part_idx:03d}__n={len(chunk)}.txt"
(OUTPUT_DIR / fname).write_text("\n".join(lines), encoding="utf-8")
total_files += 1
total_reviews += len(chunk)
print(
f"[green]Wrote {total_files} docs with {total_reviews} reviews to {OUTPUT_DIR}[/green]"
)
print(f"[green]Filtered CSV saved to {OUTPUT_CSV}[/green]")
# %%
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
# %% [markdown]
# ### Similarity Matrix
#
# %%
topic_model.visualize_heatmap()
# %% [markdown]
# ### Topic Info
#
# %%
topic_model.get_topic_info()
# %% [markdown]
# ### Semantic Coherence
#
# %%
topic_words = []
for topic_id in range(len(topic_model.get_topic_info()) - 1):
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)
np.fill_diagonal(sim_matrix, 0) # Ignore self-similarity
mean_sim = np.mean(sim_matrix)
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
if CALCULATE_COHERENCE:
# 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]
topic_words = [
[words for words, _ in topic_model.get_topic(topic)]
for topic in range(len(set(topics)) - 1)
]
# %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}")
else:
print("Skipping classical coherence calculation")
# %% [markdown]
# ### Term Search
#
# %%
search_term = "uluwatu"
similar_topics, similarities = topic_model.find_topics(search_term, top_n=10)
for i in range(len(similar_topics)):
# \n{topic_model.get_topic(similar_topics[i])}\n
print(
f"{str(similarities[i])[:5]} {topic_model.get_topic_info(similar_topics[i])["CustomName"][0]}"
)
# %% [markdown]
# ### Topic Hierarchy
#
# %%
topic_model.visualize_hierarchy(custom_labels=True)
# %% [markdown]
# ### Intertopic Distance Map
#
# %%
topic_model.visualize_topics()
# %% [markdown]
# ### Topic Word Scores
#
# %%
topic_model.visualize_barchart(top_n_topics=12, custom_labels=True, n_words=10)

View File

@@ -0,0 +1,585 @@
# ---
# jupyter:
# jupytext:
# text_representation:
# extension: .py
# format_name: percent
# format_version: '1.3'
# jupytext_version: 1.18.0
# kernelspec:
# display_name: .venv
# language: python
# name: python3
# ---
# %% [markdown]
# # Topic Detection: Bali Tourist Reviews
#
# %% [markdown]
# ## Preparation
#
# ### Dependency Loading
#
# %%
from bertopic import BERTopic
from bertopic.representation import KeyBERTInspired
from bertopic.vectorizers import ClassTfidfTransformer
from gensim.models.coherencemodel import CoherenceModel
from hdbscan import HDBSCAN
from nltk.corpus import stopwords
from sentence_transformers import SentenceTransformer
from sklearn.feature_extraction.text import CountVectorizer
from sklearn.metrics.pairwise import cosine_similarity
from umap import UMAP
import gensim.corpora as corpora
import nltk
import numpy as np
import pandas as pd
import re
import spacy
import pickle
nlp = spacy.load("en_core_web_sm")
nltk.download("stopwords")
nltk.download("punkt")
nltk.download("wordnet")
# %% [markdown]
# ### Parameters and Tracking
#
# %%
RECREATE_MODEL = True
RECREATE_REDUCED_MODEL = True
PROCESS_DATA = False
REDUCE_OUTLIERS = 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 = 200
MIN_SAMPLES = 25
# UMAP Parameters
N_NEIGHBORS = 15
N_COMPONENTS = 2
MIN_DIST = 0.01
# Topic Modeling
TOP_N_WORDS = 10
MAX_TOPICS = None # or "auto" to pass to HDBSCAN, None to skip
tracking = {
"input": {
"min_document_frequency": MIN_DOCUMENT_FREQUENCY,
"max_ngram": MAX_NGRAM,
"min_topic_size": MIN_TOPIC_SIZE,
"min_samples": MIN_SAMPLES,
"n_neighbors": N_NEIGHBORS,
"n_components": N_COMPONENTS,
"min_dist": MIN_DIST,
"top_n_words": TOP_N_WORDS,
"max_topics": MAX_TOPICS,
},
}
# %% [markdown]
# ### Data Loading & Preprocessing
#
# %%
if DATA_SAMPLE_SIZE == -1:
reviews = pd.read_csv("../data/original/reviews.tab", sep="\t").review.to_list()
else:
reviews = (
pd.read_csv("../data/original/reviews.tab", sep="\t")
.sample(n=DATA_SAMPLE_SIZE)
.review.to_list()
)
print("Loaded {} reviews".format(len(reviews)))
# %%
rep = {
r"\\n": " ",
r"\n": " ",
r'\\"': "",
r'"': "",
"mongkey": "monkey",
"monky": "monkey",
"verry": "very",
"bali": "",
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_lowprep.pkl", "wb") as f:
pickle.dump(reviews, f)
else:
with open("../data/intermediate/processed_texts_lowprep.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:
ctfidf_model = ClassTfidfTransformer(reduce_frequent_words=True)
vectorizer_model = CountVectorizer(
min_df=MIN_DOCUMENT_FREQUENCY,
ngram_range=(1, MAX_NGRAM),
stop_words=stopwords.words("english"),
)
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
#
# %%
from pathlib import Path
import random
# --- config ---
topics_to_keep = {2, 4, 5, 9, 22, 26}
INPUT_PATH = "../data/original/reviews.tab" # TSV with a 'review' column
OUTPUT_CSV = "../data/intermediate/selected_topics_documents.csv"
OUTPUT_DIR = Path("../raft/corpus")
OUTPUT_DIR.mkdir(parents=True, exist_ok=True)
BATCH_SIZE = 60
MIN_CHARS = 40
SEED = 42
# --- load data ---
data = pd.read_csv(INPUT_PATH, sep="\t")
# If you already have `reviews` elsewhere, replace the next line with that variable
reviews = data["review"].astype(str).fillna("")
# Topic model document info
df = topic_model.get_document_info(reviews) # assumes your model is already fitted
df["Original"] = reviews.values
# --- filter by topics and length ---
filtered = df[df["Topic"].isin(topics_to_keep)].copy()
filtered["Original"] = filtered["Original"].str.strip()
filtered = filtered[filtered["Original"].str.len() >= MIN_CHARS]
# Save an audit CSV
filtered[["Original", "Topic"]].to_csv(OUTPUT_CSV, index=False)
# --- deterministic shuffle + write batched corpus files ---
total_files = 0
total_reviews = 0
rng = random.Random(SEED)
for topic_val, g in filtered.groupby("Topic", sort=True):
reviews_list = g["Original"].tolist()
# deterministic shuffle within topic
rng.shuffle(reviews_list)
# chunk into batches of up to 60
for start in range(0, len(reviews_list), BATCH_SIZE):
chunk = reviews_list[start : start + BATCH_SIZE]
if not chunk:
continue
# simple header for traceability
header = (
f"[TOPIC] {topic_val}\n" + f"[Stats] N={len(chunk)} | Source={INPUT_PATH}\n"
)
lines = [header, ""]
for i, txt in enumerate(chunk, 1):
lines.append(f"({i}) {txt}")
part_idx = start // BATCH_SIZE + 1
fname = f"topic={topic_val}__part={part_idx:03d}__n={len(chunk)}.txt"
(OUTPUT_DIR / fname).write_text("\n".join(lines), encoding="utf-8")
total_files += 1
total_reviews += len(chunk)
print(
f"[green]Wrote {total_files} docs with {total_reviews} reviews to {OUTPUT_DIR}[/green]"
)
print(f"[green]Filtered CSV saved to {OUTPUT_CSV}[/green]")
# %%
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
# %% [markdown]
# ### Similarity Matrix
#
# %%
topic_model.visualize_heatmap()
# %% [markdown]
# ### Topic Info
#
# %%
topic_model.get_topic_info()
# %% [markdown]
# ### Semantic Coherence
#
# %%
topic_words = []
for topic_id in range(len(topic_model.get_topic_info()) - 1):
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)
np.fill_diagonal(sim_matrix, 0) # Ignore self-similarity
mean_sim = np.mean(sim_matrix)
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]
topic_words = [
[words for words, _ in topic_model.get_topic(topic)]
for topic in range(len(set(topics)) - 1)
]
# %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 = "uluwatu"
similar_topics, similarities = topic_model.find_topics(search_term, top_n=10)
for i in range(len(similar_topics)):
# \n{topic_model.get_topic(similar_topics[i])}\n
print(
f"{str(similarities[i])[:5]} {topic_model.get_topic_info(similar_topics[i])["CustomName"][0]}"
)
# %% [markdown]
# ### Topic Hierarchy
#
# %%
topic_model.visualize_hierarchy(custom_labels=True)
# %% [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)
# %%
# from matplotlib import pyplot as plt
# from sklearn.manifold import TSNE
# topics = topic_model.topics_
# # Reduce dimensionality with TSNE
# tsne = TSNE(n_components=2, random_state=42)
# embeddings_2d = tsne.fit_transform(embeddings)
# # Prepare colors (assign a color to each topic)
# unique_topics = set(topics)
# colors = plt.get_cmap("tab20", len(unique_topics))
# # Plot
# plt.figure(figsize=(12, 8))
# for topic in unique_topics:
# # Select indices for the current topic
# indices = [i for i, t in enumerate(topics) if t == topic]
# # Get 2D points for these indices
# x = embeddings_2d[indices, 0]
# y = embeddings_2d[indices, 1]
# # Assign label (exclude outliers)
# label = f"Topic {topic}" if topic != -1 else "Outliers"
# # Plot with color
# plt.scatter(x, y, color=colors(topic + 1), label=label, alpha=0.5)
# plt.title("Topic Clusters in 2D Embedding Space")
# plt.legend(bbox_to_anchor=(1.05, 1), loc="upper left")
# plt.tight_layout()
# # Save the plot
# plt.savefig("topic_clusters.png", dpi=300, bbox_inches="tight")
# plt.show()

File diff suppressed because one or more lines are too long

View File

@@ -126,3 +126,7 @@ urllib3==2.4.0
w3lib==2.3.1
wcwidth==0.2.13
wrapt==1.17.2
spacy
nbconvert
jupytext

File diff suppressed because one or more lines are too long

File diff suppressed because one or more lines are too long

64
convert_jupytext.sh Normal file
View File

@@ -0,0 +1,64 @@
#!/usr/bin/env bash
set -euo pipefail
usage() {
cat <<'EOF'
Usage:
jupytext_convert.sh to-py # Convert all *.ipynb -> nb_*.py (py:percent)
jupytext_convert.sh to-ipynb # Convert all nb_*.py -> *.ipynb
Notes:
- Skips .ipynb_checkpoints.
- Output .py files are prefixed with "nb_" so you can filter with nb_*.py.
- Requires 'jupytext' in PATH (pip install jupytext).
EOF
}
require_jupytext() {
if ! command -v jupytext >/dev/null 2>&1; then
echo "Error: jupytext not found in PATH. Install with 'pip install jupytext'." >&2
exit 1
fi
}
to_py() {
echo "Converting *.ipynb -> nb_*.py (py:percent)..."
# Find notebooks, skip .ipynb_checkpoints
find . -type f -name "*.ipynb" ! -path "*/.ipynb_checkpoints/*" -print0 |
while IFS= read -r -d '' nb; do
dir=$(dirname "$nb")
base=$(basename "$nb" .ipynb)
out="$dir/nb_${base}.py"
echo " - $nb -> $out"
jupytext --to py:percent -o "$out" "$nb"
done
echo "Done."
}
to_ipynb() {
echo "Converting nb_*.py -> *.ipynb..."
find . -type f -name "nb_*.py" -print0 |
while IFS= read -r -d '' py; do
dir=$(dirname "$py")
base=$(basename "$py" .py)
# Strip the nb_ prefix when producing the .ipynb filename
bare="${base#nb_}"
out="$dir/${bare}.ipynb"
echo " - $py -> $out"
jupytext --to ipynb -o "$out" "$py"
done
echo "Done."
}
main() {
[[ $# -eq 1 ]] || { usage; exit 1; }
require_jupytext
case "$1" in
py) to_py ;;
nb) to_ipynb ;;
-h|--help) usage ;;
*) echo "Unknown command: $1"; usage; exit 1 ;;
esac
}
main "$@"

File diff suppressed because one or more lines are too long

View File

@@ -0,0 +1,53 @@
[
"ubud",
"kuta",
"seminyak",
"canggu",
"sanur",
"denpasar",
"jimbaran",
"lovina",
"amed",
"sidemen",
"uluwatu",
"nusa",
"legian",
"tabanan",
"bedugul",
"pemuteran",
"tanah",
"besakih",
"goa",
"tirta",
"tegallalang",
"lempuyang",
"agung",
"batur",
"bratan",
"sekumpul",
"munduk",
"batubulan",
"celuk",
"tegenungan",
"gitgit",
"singaraja",
"padang",
"kerobokan",
"penida",
"lembongan",
"ceningan",
"garuda",
"ulun",
"bajra",
"kintamani",
"taman",
"saraswati",
"pandawa",
"melasti",
"dreamland",
"balangan",
"bingin",
"suluban",
"menjangan",
"jatiluwih"
]

View File

@@ -1,101 +0,0 @@
import json
from collections import Counter
import matplotlib.pyplot as plt
import seaborn as sns
def load_labels(file_path):
"""Load labels from JSON file"""
with open(file_path, "r", encoding="utf-8") as f:
return json.load(f)
def process_labels(data):
"""Extract valid categories and count their occurrences"""
categories = []
errors = 0
for entry in data:
if "deepseek" in entry:
categories.append(entry["deepseek"]["category"])
elif "error" in entry:
errors += 1
category_counts = Counter(categories)
return category_counts, errors
def visualize_distribution(category_counts, errors, output_file=None):
"""Create visualization of category distribution"""
# Prepare data
categories = list(category_counts.keys())
counts = list(category_counts.values())
total_valid = sum(counts)
total = total_valid + errors
# Set style
sns.set(style="whitegrid")
plt.figure(figsize=(10, 6))
# Create bar plot
ax = sns.barplot(x=categories, y=counts, palette="viridis")
# Customize plot
plt.title(
f"Review Category Distribution\n(Total: {total} reviews - {errors} errors)",
pad=20,
)
plt.xlabel("Category")
plt.ylabel("Count")
plt.xticks(rotation=45, ha="right")
# Add value labels
for i, count in enumerate(counts):
ax.text(i, count + 0.5, str(count), ha="center")
# Add error count annotation if there are errors
if errors > 0:
plt.annotate(
f"{errors} errors\n({errors/total:.1%})",
xy=(0.95, 0.95),
xycoords="axes fraction",
ha="right",
va="top",
bbox=dict(boxstyle="round", facecolor="white", alpha=0.8),
)
# Adjust layout
plt.tight_layout()
# Save or show
if output_file:
plt.savefig(output_file, dpi=300)
print(f"Visualization saved to {output_file}")
else:
plt.show()
def main():
input_file = "deepseek_labels.json"
output_image = (
"./img/category_distribution.png" # Set to None to display instead of saving
)
# Load and process data
data = load_labels(input_file)
category_counts, errors = process_labels(data)
# Print basic stats
print("Category Distribution:")
for category, count in category_counts.most_common():
print(f"- {category}: {count} ({count/len(data):.1%})")
if errors > 0:
print(f"- Errors: {errors} ({errors/len(data):.1%})")
# Visualize
visualize_distribution(category_counts, errors, output_image)
if __name__ == "__main__":
main()

View File

@@ -1,143 +0,0 @@
import concurrent.futures
import json
import os
from pathlib import Path
from threading import Lock
from dotenv import load_dotenv
from openai import OpenAI
# Initialize a thread-safe lock for file writing
load_dotenv()
file_lock = Lock()
client = OpenAI(
api_key=os.getenv("DEEPSEEK_API_KEY"),
base_url="https://api.deepseek.com",
)
system_prompt = """
The user will provide a tourist review. Please categorize them according to the following categories, provide a short reasoning for the decision (max 8 words) and output them in JSON format.
The categories are: adventurer, business, family, backpacker, luxury, or none if no category fits.
EXAMPLE INPUT:
Perfect for families! The hotel had a kids' club, a shallow pool, and spacious rooms. Nearby attractions were child-friendly, and the staff went out of their way to accommodate us. Will definitely return!
EXAMPLE JSON OUTPUT:
{
"category": "family",
"reason": "child-friendly amenities and staff"
}
"""
def query_deepseek(review):
"""Query DeepSeek API for categorization"""
try:
response = client.chat.completions.create(
model="deepseek-chat",
messages=[
{"role": "system", "content": system_prompt},
{"role": "user", "content": review},
],
temperature=0.2,
response_format={"type": "json_object"},
)
content = response.choices[0].message.content
return content
except Exception as e:
print(f"Error querying DeepSeek API: {e}")
return None
def read_reviews(file_path):
"""Read reviews from tab-separated file, assuming one review per line"""
with open(file_path, "r", encoding="utf-8") as f:
return [line.strip() for line in f if line.strip()]
def validate_response(response):
"""Validate if response matches expected JSON format"""
try:
data = json.loads(response)
if not all(key in data for key in ["category", "reason"]):
return None
if len(data["reason"].split()) > 8:
return None
return data
except json.JSONDecodeError:
return None
def process_review(i, review, output_file):
"""Process a single review and save results"""
print(f"Processing review {i}")
deepseek_response = query_deepseek(review)
deepseek_result = process_response(deepseek_response, i, "deepseek")
result = {
"id": i,
"review": review.strip('"'),
"deepseek": deepseek_result,
}
# Thread-safe file writing
with file_lock:
with open(output_file, "r+", encoding="utf-8") as f:
try:
data = json.load(f)
except json.JSONDecodeError:
data = []
data.append(result)
f.seek(0)
json.dump(data, f, indent=2)
f.truncate()
def process_response(response, i, model_name):
"""Helper function to validate and format responses"""
if not response:
return {"error": "query failed"}
validated = validate_response(response)
if validated:
return validated
else:
print(f"Format mismatch for {model_name} response {i}: {response}")
return {"error": "format mismatch"}
def main():
input_file = "data.tab"
output_file = "labels.json"
# Initialize output file
if not Path(output_file).exists():
with open(output_file, "w") as f:
json.dump([], f)
reviews = read_reviews(input_file)
# Skip header and limit to 20,000 reviews
reviews_to_process = [
(i, review) for i, review in enumerate(reviews[1:20001], start=1)
]
# Use ThreadPoolExecutor for parallel processing
# Adjust max_workers based on your API rate limits and system capabilities
with concurrent.futures.ThreadPoolExecutor(max_workers=10) as executor:
futures = []
for i, review in reviews_to_process:
futures.append(executor.submit(process_review, i, review, output_file))
# Wait for all futures to complete
for future in concurrent.futures.as_completed(futures):
try:
future.result()
except Exception as e:
print(f"Error processing review: {e}")
if __name__ == "__main__":
main()

File diff suppressed because one or more lines are too long

View File

@@ -1,13 +1,6 @@
#!/bin/bash
for f in $(git diff --name-only --cached); do
if [[ $f == *.ipynb ]]; then
jupyter nbconvert --clear-output --inplace $f
git add $f
fi
done
set -e
if git diff --name-only --cached --exit-code
then
echo "No changes detected after removing notebook output"
exit 1
fi
./convert_jupytext.sh py
echo "✅ Jupytext conversion complete."

386
lda/nb_lda.py Normal file
View File

@@ -0,0 +1,386 @@
# ---
# jupyter:
# jupytext:
# text_representation:
# extension: .py
# format_name: percent
# format_version: '1.3'
# jupytext_version: 1.18.0
# kernelspec:
# display_name: .venv
# language: python
# name: python3
# ---
# %% [markdown]
# # Topic Detection: Bali Tourist Reviews
#
# %% [markdown]
# ## Preparation
#
# ### Dependency Loading
#
# %%
from gensim.models import CoherenceModel
from gensim.models import LdaModel
from gensim.models.phrases import Phraser, Phrases
from nltk.corpus import stopwords
from nltk.stem import WordNetLemmatizer
from pprint import pprint
import altair as alt
import gensim.corpora as corpora
import json
import multiprocessing
import nltk
import numpy as np
import os
import pandas as pd
import pickle
import pyLDAvis
import pyLDAvis.gensim_models as gensimvis
import re
import spacy
import umap
nlp = spacy.load("en_core_web_sm")
try:
multiprocessing.set_start_method("spawn")
except RuntimeError:
pass
nltk.download("stopwords")
nltk.download("punkt")
nltk.download("wordnet")
print("OK")
# %% [markdown]
# ### Parameters and Tracking
#
# %%
RUN_BENCHMARK = False
SAVE_MODEL = True
PROCESS_DATA = False
# %% [markdown]
# ### Data Loading & Preprocessing
#
# %%
reviews = (
pd.read_csv("data.tab", sep="\t")
.review.dropna()
.to_list() # .sample(10_000, random_state=42)
)
print(f"Loaded {len(reviews)} reviews.")
# %%
# List of NE in Bali for NER enhancement
with open("bali_ner.json", "r") as f:
bali_places = json.load(f)
bali_places_set = set(bali_places)
# Stop word definition
extra_stopwords = ["bali", "idr", "usd"]
stop_words = set(stopwords.words("english"))
with open("stopwords-en.json", "r") as f:
extra_stopwords.extend(json.load(f))
# Custom replacements
rep = {
r"\\n": " ",
r"\n": " ",
r'\\"': "",
r'"': "",
"mongkey": "monkey",
"monky": "monkey",
"verry": "very",
}
rep = dict((re.escape(k), v) for k, v in rep.items())
pattern = re.compile("|".join(rep.keys()))
lemmatizer = WordNetLemmatizer()
def preprocess(text):
# Step 1: Apply custom replacements (typos, special cases)
text = text.lower()
text = pattern.sub(lambda m: rep[re.escape(m.group(0))], text)
# Step 2: Clean text
text = re.sub(r"\d+", " ", text)
text = re.sub(r"\W+", " ", text)
doc = nlp(text)
# Step 3: POS tagging and filtering
filtered_tokens = [
token.text
for token in doc
if token.pos_ in {"NOUN", "PROPN"}
or token.ent_type_ in {"GPE", "LOC", "FAC"}
or token.text in bali_places_set
]
# Step 4: Lemmatization and stopword removal
lemmatized_tokens = [
lemmatizer.lemmatize(w)
for w in filtered_tokens
if w not in stop_words and w not in extra_stopwords and len(w) > 2
]
return lemmatized_tokens
# %%
if PROCESS_DATA:
print("Processing sentences...")
processed_reviews = [preprocess(review) for review in reviews]
with open("processed_texts.pkl", "wb") as f:
pickle.dump(processed_reviews, f)
else:
with open("processed_texts.pkl", "rb") as f:
processed_reviews = pickle.load(f)
print(processed_reviews[:1])
# %% [markdown]
# ### n-gram Creation
#
# %%
bigram = Phrases(processed_reviews, min_count=5, threshold=10)
bigram_mod = Phraser(bigram)
texts = [bigram_mod[doc] for doc in processed_reviews]
# %% [markdown]
# ## Model Creation
#
# %% [markdown]
# ### Word Mapping & Corpus
#
# %%
id2word = corpora.Dictionary(texts)
id2word.filter_extremes(no_below=5, no_above=0.5)
corpus = [id2word.doc2bow(text) for text in texts]
# %% [markdown]
# ### LDA Model Creation
#
# %%
if not RUN_BENCHMARK:
lda_model = LdaModel(
corpus=corpus,
id2word=id2word,
num_topics=3,
random_state=42,
update_every=1,
chunksize=100,
passes=10,
alpha="auto",
per_word_topics=True,
)
# %%
if RUN_BENCHMARK:
for num_topics in [3, 4, 5]:
print(f"Training LDA model with {num_topics} topics...")
lda_model = LdaModel(
corpus=corpus,
id2word=id2word,
num_topics=num_topics,
random_state=42,
update_every=1,
chunksize=100,
passes=10,
alpha="auto",
per_word_topics=True,
)
for measurement in ["c_v", "u_mass", "c_uci", "c_npmi"]:
coherence_model_lda = CoherenceModel(
model=lda_model,
texts=texts,
dictionary=id2word,
coherence=measurement,
)
coherence_lda = coherence_model_lda.get_coherence()
print(f"Coherence ({measurement}): {coherence_lda:.4f}")
vis = gensimvis.prepare(lda_model, corpus, id2word)
pyLDAvis.save_html(vis, f"./lda_output/lda_vis_{num_topics}_topics.html")
print(f"Visualization saved to lda_vis_{num_topics}_topics.html")
# %% [markdown]
# ## Results
#
# ### Topics
#
# %%
pprint(lda_model.print_topics())
# %% [markdown]
# ### Topic Coherence
#
# %%
for measurement in ["c_v", "u_mass", "c_uci", "c_npmi"]:
coherence_model_lda = CoherenceModel(
model=lda_model,
texts=texts,
dictionary=id2word,
coherence=measurement,
)
coherence_lda = coherence_model_lda.get_coherence()
print(f"Coherence ({measurement}): {coherence_lda:.4f}")
# %% [markdown]
# ### Perplexity
#
# %%
log_perplexity = lda_model.log_perplexity(corpus)
perplexity = np.exp2(-log_perplexity)
print(f"Perplexity: {perplexity:.4f}")
# %% [markdown]
# ### Topic Visualization
#
# %%
pyLDAvis.enable_notebook()
lda_vis = gensimvis.prepare(lda_model, corpus, id2word)
pyLDAvis.display(lda_vis)
# %%
VISUALIZATION_THRESHOLD = 0.35
doc_topic_lda = [
lda_model.get_document_topics(doc, minimum_probability=0) for doc in corpus
]
doc_topic_lda = np.array([[prob for (_, prob) in doc] for doc in doc_topic_lda])
above_threshold_mask = np.any(doc_topic_lda >= VISUALIZATION_THRESHOLD, axis=1)
filtered_doc_topic = doc_topic_lda[above_threshold_mask]
# UMAP dimensionality reduction
umap_model = umap.UMAP(n_components=2, metric="hellinger")
lda_2d = umap_model.fit_transform(filtered_doc_topic)
# Assign colors by dominant topic
dominant_topics = np.argmax(filtered_doc_topic, axis=1)
alt_df = pd.DataFrame(
{
"x": lda_2d[:, 0],
"y": lda_2d[:, 1],
"topic": dominant_topics.astype(str),
"text": [reviews[i] for i in np.where(above_threshold_mask)[0]],
"prob": np.max(filtered_doc_topic, axis=1),
}
)
alt.data_transformers.disable_max_rows()
chart = (
alt.Chart(alt_df)
.mark_circle(size=60)
.encode(
x="x:Q",
y="y:Q",
color="topic:N",
tooltip=[
alt.Tooltip("topic", title="Topic"),
alt.Tooltip("prob:Q", title="Probability", format=".2f"),
alt.Tooltip("text", title="Document Text"),
],
)
.properties(
width=800,
height=600,
title=f"Interactive LDA Visualization (Threshold ≥ {VISUALIZATION_THRESHOLD})",
)
.interactive()
)
chart
# %% [markdown]
# ### Topic assignment
#
# %%
import json
EXPORT_THRESHOLD = 0.35
# Prepare data for JSON export
output_data = []
for doc_idx, doc_probs in enumerate(doc_topic_lda):
# Get topics above threshold for this document
significant_topics = [
{"topic_id": int(topic_id), "probability": float(prob)}
for topic_id, prob in enumerate(doc_probs)
if prob >= EXPORT_THRESHOLD
]
if significant_topics: # Only include documents with significant topics
output_data.append(
{
"document_id": int(doc_idx),
"original_text": reviews[doc_idx],
"topics": [
{
"topic_id": t["topic_id"],
"probability": round(t["probability"], 2),
}
for t in significant_topics
],
"dominant_topic": int(np.argmax(doc_probs)),
"dominant_probability": round(float(np.max(doc_probs)), 2),
}
)
# Export to JSON
with open("lda_output/topic_to_reviews.json", "w") as f:
json.dump(
{
"metadata": {
"threshold_used": EXPORT_THRESHOLD,
"num_topics": lda_model.num_topics,
"total_documents": len(output_data),
},
"documents": output_data,
},
f,
indent=2,
)
# %% [markdown]
# ## Save Model
#
# %%
if SAVE_MODEL:
os.makedirs("lda_output", exist_ok=True)
lda_model.save("lda_output/lda_model.gensim")
id2word.save("lda_output/lda_dictionary.gensim")
with open("lda_output/lda_corpus.pkl", "wb") as f:
pickle.dump(corpus, f)
with open("lda_output/topics.txt", "w") as f:
for topic in lda_model.print_topics():
f.write(f"{topic}\n")
print("Done!")

10
peft-eval/agency.jsonl Normal file
View File

@@ -0,0 +1,10 @@
{"prompt": "Were designing new Bali tour packages for culturally curious travelers. What kinds of local experiences should we include to ensure authenticity and respect?"}
{"prompt": "How can a travel agency collaborate with Balinese communities to create tours that benefit locals and educate visitors?"}
{"prompt": "What are some culturally sensitive ways to market temple visits or ceremonies without commodifying them?"}
{"prompt": "We want to train our guides to share Balinese culture more meaningfully. What key values and stories should they emphasize?"}
{"prompt": "What types of activities best appeal to travelers who are interested in spirituality and local rituals rather than just sightseeing?"}
{"prompt": "How can we design itineraries that balance cultural immersion with traveler comfort, while respecting local customs?"}
{"prompt": "What role can food experiences play in connecting travelers with Balinese traditions and values?"}
{"prompt": "Wed like to include community-based tourism in our Bali offerings. What are the best practices to ensure ethical engagement?"}
{"prompt": "How can we educate our clients beforehand so they approach Balinese culture with understanding and humility?"}
{"prompt": "What makes a culturally immersive Bali tour stand out compared to standard tourist packages?"}

21
peft-eval/culture.jsonl Normal file
View File

@@ -0,0 +1,21 @@
{"prompt": "Describe the cultural significance of the Nyepi festival in Bali and how travelers can respectfully experience it."}
{"prompt": "Write a short, heartfelt review of a traditional Balinese homestay experience in Ubud, focusing on family interactions and rituals."}
{"prompt": "Explain how local offerings ('canang sari') reflect the Balinese philosophy of balance and harmony."}
{"prompt": "Review a visit to Tirta Empul Temple from a cultural and spiritual perspective, emphasizing purification rituals."}
{"prompt": "Compare the atmosphere of Canggu and Ubud from the point of view of a culturally curious traveler."}
{"prompt": "Describe how traditional Balinese dance performances express local mythology and storytelling traditions."}
{"prompt": "Write a review of a local warung that highlights both the flavors and the cultural meaning behind Balinese cuisine."}
{"prompt": "Explain the role of community and cooperation ('gotong royong') in Balinese village life and tourism."}
{"prompt": "Describe a visit to a Balinese art market, focusing on interactions with artisans and the symbolism of their crafts."}
{"prompt": "Write a reflective review about attending a Balinese cooking class that includes cultural insights about ingredients and rituals."}
{"prompt": "Discuss how temple etiquette reflects respect for Balinese Hindu beliefs and community customs."}
{"prompt": "Describe a day spent exploring rice terraces in Tegallalang, focusing on the cultural and agricultural heritage."}
{"prompt": "Write a poetic review of a sunset ceremony at Tanah Lot, highlighting its spiritual atmosphere."}
{"prompt": "Explain how traditional Balinese architecture reflects harmony between humans and nature."}
{"prompt": "Review a Balinese village tour that focuses on learning local crafts, ceremonies, and daily life routines."}
{"prompt": "Describe the experience of participating in a Balinese gamelan workshop and its cultural meaning."}
{"prompt": "Explain the importance of daily rituals in Balinese homes and how they shape local hospitality."}
{"prompt": "Write a culturally sensitive travel review about visiting a sacred temple during a major festival."}
{"prompt": "Compare how tourists and locals perceive spiritual spaces like Uluwatu Temple or Besakih Temple."}
{"prompt": "Describe how a visitor might learn about Balinese traditions through attending a local ceremony or community event."}

10
peft-eval/tourist.jsonl Normal file
View File

@@ -0,0 +1,10 @@
{"prompt": "Hey, Im planning my first trip to Bali! Whats something cultural that most tourists overlook but really shouldnt?"}
{"prompt": "Ive heard about Nyepi, the Balinese day of silence. What was it like to experience it as a visitor?"}
{"prompt": "I want to visit temples in Bali but dont want to be disrespectful — any personal tips from your trip?"}
{"prompt": "Did you find it easy to connect with locals in Bali? How did you make sure those interactions felt genuine?"}
{"prompt": "What was your favorite cultural experience in Bali that wasnt part of a typical tourist itinerary?"}
{"prompt": "Im torn between staying in Ubud or Sidemen for a more authentic feel. What would you recommend and why?"}
{"prompt": "How did you learn about Balinese customs or rituals while traveling there — were locals open to sharing?"}
{"prompt": "Ive seen photos of the offerings everywhere in Bali. How did you learn to appreciate their meaning while visiting?"}
{"prompt": "Did you ever attend a local ceremony or festival while in Bali? How did you find out about it?"}
{"prompt": "Whats one thing you wish youd known about Balinese culture before you arrived?"}

5
raft/.gitignore vendored Normal file
View File

@@ -0,0 +1,5 @@
offload/
finetuned/**
!finetuned/
!finetuned/**/
!finetuned/**/train.md

View File

@@ -0,0 +1,64 @@
[TOPIC] 22
[Stats] N=60 | Source=../data/original/reviews.tab
(1) Early morning arrival at Lempuyang where I attended the opening ceremony at the first temple and had my offering blessed by the priest. A spectacular view from this temple and Mount Agung greets you with all her glory. Hopped on the back of the scooter and traveled to the next temple, which is a much smaller temple, build with the background of lush tropical plants in a cool, shady area that makes one feel relaxed and wonderful. There you leave all behind, pick up a walking stick (to scare the monkeys away) and start the slow and steady climb of approximately 1500 steps. Please take the time to stop ever so often to take in the energy of your surroundings and to admire the wonderful lush vegetation. Wherever you see a \window\" through the plantation it is to reveal a spectacular view onto the world below. Many warungs along the way where you can purchase a drink or a snack (or even a meal) or to just sit down and catch your breath. Arriving at the top is an experience that is impossible to relay to another person - mixed feelings of wonderment, achievement, admiration, enchantment made me burst into tears. A must do!"
(2) The main temple at Lempuyang is very attractive. The dragons lining the staircase are very impressive and the view from the top is incredibly beautiful. There is the usual conversation about \donations\" but all in all it is well worth seeing and the approach is an experience in itself."
(3) You need to be here, EXTREMELY early to catch the mountain in your picture and avoid wasting time. Pretty much depend on the weather and your luck as well. \nSince we stayed in Seminyak, we need to get up by 4am in the morning just to reach the temple by 7++ to 8am. The usual ride will take you 2 hours (depends on the traffic and which period you're there). By the time we reached, our queue number has reached 150. \nOnce reach there, you need to pay for the 'sarong'. Our hotel prepared for us but the tour guide told us we can get it there. Yes. We can but we have to PAY! While our hotel one is FREE. Feel cheated for that. You need to walk up a bit and reach a smaller entrance. Just follow the crowd if you're not sure. \nNow, at the entrance, you need to take a number if you wanted to take picture at the gates. Not sure if you can bribe your way or send a representative but when we reached, someone tried to collect numbers on behalf of their friends and it was rejected. Everyone need to presence there to get the number. I'm glad.\nYou can choose to tip the photographer when is your turn. I suggest you do. \nWe waited close to 2 hours for our turn. Slightly disappointed when is our turn as the cloud covered the mountain by then. \nThe numbering system is good but the arrangement is bad. You think waiting for 100 people would be fast. How long it takes to snap a picture right?\nWrong. Like said, the arrangement doesn't count how many people per number.\nIf you have a group of friends or family like 6 in the group, do the math possibilities of combination. \nMind that each snap, you can have 5 photo shots.\nNow the fun part - if you're in a group of 5 (without couples)\nMeans is a 6 X 5 photos. \nWhy 5? Haha.. 5 solo X 5 photo each. And 5 group photos. \nThat have not take into consideration if you're there with your boyfriends, girlfriends, best buddies, father, mother, grandparents, and so on. I've lost all the possible combination you can come up with. \nThere. We're glad when someone group just wanted a group photo and some considerate ones just ask for 2 3 photos and done. \nYou'll notice which is the annoying one that can't seems to figure out what pose and combination they wanted.\nOh, think of 5 pose while you're waiting. It does help though by the time is your turn, you'll do other than what you've decided earlier. \n \nYou can still take some photo around while waiting for your turn. \nThe is an observation platform where you need to pay Rp5,000 to take picture. \nHead there first if your queue is long. We should have done that. \nOverall, is an Instagramable moment and must go if you need to stamp your visit. \nOtherwise, you can just stop to have a look, taking tourist queue for pictures and move on to your next destination. \n\nLastly, respect the local rules and culture. When it says NO Entry or Prayers or anything along those line, means is Restricted. Respect this please. It is a temple.\nHow you feel if some stranger open your bedroom or toilet door?
(4) An uphill trek to a picturesque temple of Lempuyang. A long queue but worth it. Nice mirror trick from photographers.
(5) If you are planning for Lempuyang temple, I would recommend to visit early morning so the sky is clear and you can see beautiful sunrise and mount agung.By noon it can get clouded hence you may not be able to see mount agung. Also, its less crowded early morning else there is a long Queue to take a picture of the main spot. Guide is really not required if you only plan to see just the first temple.
(6) The temple itself is beautiful, and the process of getting there is well organized. Yes you have to pay for the entrance, but they need the money for upkeep, and yes they are constantly fixing it, even while we were there.\nAnd yes there are so many tourists and instagramers who wait hours to get a picture in front of temple of heaven, but it does NOT take away from the experience. \n\nIf you are one of those people who just have to get the perfect shot, then yeah you will wait for hours and get your perfect instagram picture, its your choice. But you can also bypass the lines, go pretty close to it (behind the photographer) and take your own picture which is not perfect, but so what? Take in the experience, block out the lineup of people and just be in that place, in that moment. Trust me, you will like Lempuyang , it is magical.
(7) We got here after stopping at Tirta Gannga. \nThe Gate of Heaven here is totally breath-taking with the view of Agung mountain. \n \nYou will have to squeue to wait for your turn to take your pictures with the Heaven Gate. \n \nIts worth to wait and try, I can tell.
(8) Great trekking on the top of Pura Lempuyang, it takes approximately 2-3 hours, following 1700 stairs and 8 temples. However, we were unable to go to the top, because many people were discouraging us from angry monkeys. In the last month, there were around 50 injured tourists. Nevertheless, even if you are not going to see the last temple, you experience a great view. Moreover, the first temple is the best one ;) The fee is voluntary.
(9) I wish I didn't waste my time with this visit. From nusa dua it took 2 5 hours leaving at 6.30 am... even at 9am there was a 3.5 hours queue for photos (told at the gate it was 2 hours).\n\nJust to give context our number was 138 and it was at 63 when we arrived. Each group gets 1 number so whether a couple or group of 15 counts as one place in the queue. They allow 4 group photos and 4 individual photos plus you can then pair up too.... some people ask for more and they allow it which is frustrating. \n\nNot very much to do while waiting. Very small temple so come prepared with something to entertain you. \n\nThe photo you get might as well be photo shopped at home as its nothing like the actual area/ scenery... \n\nWalk up is very steep and you can get a motorbike. We took one after walking 4-5 meters not realising it wasn't that far up. Had I have known would have taken my time up (can go via steps on way back)... about 100 meters maybe.
(10) If you are up for a bit of a climb, this temple offers fabulous views. Standing majestically more than 1000 meters above the sea level in the northeast of Mount Agung, this one of Balis oldest temples is a magnet for those who love the mix of mountains and cultures. Before you are able to enjoy the view, you will need to conquer a steep staircase of almost 2,000 steps. Once you reach at the top, all your efforts are paid off. You will be dazzled by the impressive architecture of the temple and unusual traditions of Hindu religion. Most likely you will see Balinese people bring food over their heads to get the blessings of the priest. Apart from that, you can enjoy a beautiful sunrise coming up over the mountain early in the morning.
(11) Did a tour with our accommodation only went to temple level two but the views were spectacular. Unfortunately MT Agung was covered in clouds so couldnt get a clear picture. I would like to come back and do the 2.5hr walk to the top.
(12) This is the one. We only visited one temple in Bali on purpose. Very few tourists, quiet, nice locals. Really incredible view of Mt Agung from the first temple. We had climbed Agung the day before, so our knees were not feeling 1700 steps up to the rest of the temples.
(13) This temple on the top of the mount Lempuyang. East side of Bali island.One of the oldest and considered very sacred temple.The step wall top with the Naga serpent impression.Weather is cool & nice.Many steps,so peaple with knee problem must careful.A must see place in Bali
(14) The temple is definitely worth a visit as its a stunning building with amazing views of Mount Agung and the countryside. BUT dont get your hopes up for the photo. We arrived at about 6.30am, we were given ticket no. 136 and when we first arrived they were photographing no. 29. By the time we left two hours later, they were on no. 58 😂 god knows how long wed have had to stuck around to get ours done, maybe another 2-3 hours? Although I enjoyed it, it was a shame about the majority of other tourists who sat around looking miserable, waiting for their pic. Bad vibes.\n\nAnyway, its still worth the visit because its amazing to see. Make sure you respect the rules and culture. Just dont go up expecting to get the photo unless youre willing to dedicate 3+ hours of your life for the Instagram pic!
(15) It was worth it. You need to pass hundreds of stairs to reach the top of Lempuyang Temple. On the top of it you can see a fascinating view of Mt. Agung
(16) The location has a scenic view of Mount Agung through the gates and the drive there takes you through beautiful locations but, is a bit long. Depending on the travel season you may have to wait 30 mins or 3 hours to get your pictures clicked at the gates (arriving early in the day is a good idea). The guy clicking pics does not charge money but you can always tip them. rest of the temple is quite beautiful to look at as well.\n\nPlease note: If you are visiting many temples in Bali, it's best to buy a sarong rather than rent it at each place.
(17) We took a tour of a few different temples in Bali but this was by far our favorite. There are multiple levels of places you can climb to. It's 1000 steps to the top though, and seeing as how it's always a kajillion degrees in Bali, we decided to only go to the first stop, which was plenty of stairs in itself, thank you very much. Haha. But really, even just that portion was really an incredible sight. Beautiful, ancient ruins. You will be required to cover up, but they offer sarongs at the base, so no frets. Be prepared for a wild and steep car ride just to the base! :D
(18) I know some people knock the instagram worthy photo, but i liked it. Went there first on our day trip after reading how others had to wait hours in line. Got there around 9 and probably waited 20-30mins. So that done time to actually enjoy Lempuyang. There is a bit of work going on at the first level but doesnt interfere with your experience. Excellent temple for serious hikers, who would be keen to walk up to the highest level..which could take a few hours overall. Nice views the higher you go.
(19) waking up at 4am, to travel till here, to click that epic picture at the gates of heaven. definitely worth it.\nobviously this place has become super famous due to instagram, so if you too want the picture clicked here, best is to arrive as early as possible. and if you have a sarong, bring that too. or you my need to rent a sarong.\nthis place doesnt have a entrance fee, but a donation is needed (watever you feel like giving).\ndefinitely a must visit, for that epic shot.
(20) Beautiful site, of course the magical gates with Mt Agung in the background make it special. During COVID times there are hardly any visitors and you have the place to yourself, there is no need to spend more than 20-30 minutes. Photographers who make the magical shots with the mirrored gates to heaven are still around and are happy to assist you.
(21) Gunung Lempuyang are sensational looking toward Amed and Gunung Agung. with amazing trek to climb ,full nature view and fresh air ,there is a beautiful temple in the top of mountain,it's called \ Pura Luhur Lempuyang \",is the one of Balis nine directional temples and is of great significance to the Balinese culture and religion. beautiful temple and nice place to meditation ,unforgettable memories, can pray and enjoy the natural beauty there :))"
(22) Its literally just a picture! \n\nI had read reviews about queues for a picture and assumed that would be ok as I had a temple and views to look at - not the case at all! \n\nArrived in car park 45k each for a shuttle bus to the the temple. When bus parks there is a hill to walk up- manageable but there is locals with mopeds who will drive you up the hill if wanted for a fee. Temple ticket an additional 55k. \n\nArrived in the temple we are number 191 they are on 104! This is not how many people are in front this is how many groups. \n\nSo say a group of four - allowed four poses/photos as a group and then each person within the group is allowed four shot so around 20 photos for a group - this takes time! \n\nOur driver said we were there in a good day as normally the wait would be longer. \n\nWe waited about 2.5 hours, there is nothing to do there whilst waiting nothing to look at no where to go you sit and wait as the guys call out numbers and “next pose” every few minuets.\n\nYes I love the pictures but if I knew it was nothing other than a picture we would have given it a miss
(23) We went here as part of our tour. The temple itself is absolutely beautiful. Ive been told that its considered one the 6 holiest place of worship in Bali. Its mainly famous the infamous photo of the split gate with Mt. Agung in the back. Theres a queue to take photos. We arrived early enough that we didnt have to wait long but Ive heard that the lines can go for hours. Be sure to explore the temple, there are three stairs that go up that have magnificent views of the area & Mt Agung. Up on top, there were people that were praying. I didnt get to explore that area as I didnt want to disrupt them. I did get to watch from a distance as they did their offering. Its definitely something to watch.. Theres more to this temple than just that photo. Also, there are steps that go down from the photo spot that are amazing as well.
(24) Our first stop of the day was Lempayung Luhur Temple, also known as Pura Pentaran Agung Lempayung or Pura Lempayung Luhur. Lempayung Luhur temple is one of the oldest temples in Bali and is also one of the islands nine directional temples. It is believed to protect the native Balinese from evil spirits coming in from the east. The temple showcases a set of amazing staircases flanked by dragons on each side which one is really awsome.
(25) Made the long trip from Seminyak to the Lempuyang Temple via private tour booked on Klook. There is a steep slope to climb up to teach the scenic spot. Not too bad a climb but be prepared for a minor workout. The queue is long but it moves fairly quickly. Photographers are there to assist you with your phototaking using your very own cameras or mobile phones so no fear of forking out extra for your own photos, which is fantastic. The weather, regardless rain or shine, will give you photos to cherish for a lifetime. Don't let the long drive and long wait deter you from this fantastic experience.
(26) I went to this place with my bestfriend. We drove on motorbike from Denpasar to Karangasem. Lempuyang is the name of the temple on the top of the mountain. The view from the submit is really beautiful. You can see the whole part of Mt. Agung. Such an amazing view! But only if the weather is good, which is mean no rain. \n\nThere are about 1700 steps towards the submit. Gladly me and my friend could reach the submit. Basically Balinese use this place to worship and pray to God. If you follow the steps until the submit, you will find some temples as they also use it as the rest area. For local people this place is sacred and really spiritual, you're gonna need to wear a saroong and behave well. \n\nAlso be careful about the monkeys, they are not evil but still they are a wild animal. Just keep your things save and don't bring any food with strong smell to attract them. \n\nIf you like some adventures combined with spiritual experience, this place is really worth to visit.
(27) Such a beautiful temple to visit , if you are after views of Mt Agung best to check the forecast before you go , the weather can change pretty quickly and often , probably best to go in the dry season in the middle part of the year if its true photo opportunities you are after.\nAs mentioned sarongs are required here as well as the covering of shoulders for ladies with sarong hire at 10k , locals also asked for a donation too , I only had 50k on me between myself and my wife which was above the normal donation amount.\nAs stated there is in fact 6/7 temples to visit , after hearing that the whole lot would take about 4/5 hours to complete we quickly decided 1 and 2 would be enough for us .\nTemples 1 and 2 are the best for photo opportunities anyway , there are plenty of stairs to negotiate but the views are worth it.\nIt can get quite humid and warm so best to take water with you.\nThere are little shops at the ticket booth to buy supplies , you can hire a guide as well .\nIn all a very calming experience and worth the experience.
(28) This was a fun temple to attend. We can to the temple after a long day of touring, and I came on the full moon. Beware, any full or new moon stuff, temples will be full so come early or come very late. We came late and that worked really well. The architecture and the view of Mt. Agung were stunning and should not be overlooked by the \ego\" of wanting the famed picture there."
(29) The temple itself isn't anything to write about, but the Mt Agung view it provides is just breathtaking. The temple is kind of far from major tourist places. It took us two hours to get to it from Ubud. Get there early in the morning to see Agung clearly; it gets cloudy later in the day.
(30) Even a cynic who isn't too familiar with Hinduism and thinks that every temple looks pretty much like another one will be impressed with Lempuyang complex. You have a succession of 7 (seven) temples, each one built higher up the mountain than its predecessor, with stunning views from the top of the temples to valleys below, the distant beach and sea, and the volcano closing the vista on the other side. The drive there is long but it is worth it. Be prepared to walk a lot: the road that connects the temples is a little wider than a path and is accessible to scooters only. You can hail a ride from the locals but be careful as they are likely to try to exploit your physical frailty and overcharge you.\n\nGive yourself about 2 hours to get from the first temple in the middle of the village to the last one on top of the ridge. Plus 1-1 1/2 hours to roam inside the temples and climb their stairs, plus 2 hours of descent back to the car park... It is pretty much a day trip.\n\nYou 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).\n\nThe 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.\n\nYou 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.
(31) It took me around 3hrs to reach there. Better wear comfortable shoes and clothes as you need to hike up. To cover all temples, maybe need to take around 2hrs (minimum). The famous one is the \Gate of Heaven\". There's professional photographer that will help you to snap good photos. But you need to line up. Its a long queue, but worth it. No entrance fees. It is by donation, so up to you how much you want to give."
(32) Lempuyang Temple complex is pretty huge since it has a got temples at several levels and one has to climb a lot and have a spare day to see them.\nHowever its a fact that majority of the tourist do not go beyond the first one and thats the place which is most famous due to the iconic instagram hotspot it had to offer.\nUnlike other temples in Bali theres no entrance ticket but you need to pay for sarong. And you are urged to make a donation.\nA couple of checkpoints-\nCome here if you are really keen on that epic pic\nThe pick not real tbh, since theres no water pond/lake surrounding the gate\nCome real early, since the place witness huge queues (waiting for their turn to get clicked) Its advisable to be here by 6AM to save time.
(33) View : stunning. We had to wait nearly 3 hours though to get a 2 minute window to take the snap. The gates aren't uncommon, you will find it almost everywhere in Bali. However what makes it unique is the Mt Agung view on the backdrop. Plus on days like ours, you will get a great composition of the sky, clouds, mountains and sun rays all in your picture.\n\nThere is also a guy to click pics here. He uses a mirror which gives you the reflective image you see at gates of heaven.\n\nCafes : There is a small cafe near the the temple where you will get snacks, coffee and tea.\n\nWaiting area : you end up waiting in the covered platforms here. The additionally temple steps towards the next stage of the temple also provides great photography backdrops.\n\nAdditional picture spots : As you come down from the temple, there is another elevated region to take pictures - it has been specially made to click pictures with the Agung backdrop\n\nIs it OK to take infants? I would say yes. It's safe, just be ready to request people not to smoke infront of the infant. Bali in general is very kid friendly place and people love kids.\n\nEntrance : our guide got a sarong for us, however there was a place where you will get Sarongs too. For entrance you need to give some donations (we gave around 2 Sgd = 20000 IDR)
(34) We did this as part of a day tour from Ubud, which was about a 2 hour drive each way. We arrived at midday in the car park, then had to pay Rp 20,000 to be taken in the back of a pick up truck to the base of the temple. Here we paid Rp 10,000 each for sarong rental and an obligatory donation for entrance fee. We were then told we couldn't access parts of the temple as there was a religious ceremony taking place. \nWe went up the steps to the first level, which includes the picturesque gates overlooking Mount Agung. Unfortunately it was very cloudy so didn't get the view of the volcano. The queue for the classic gates shot took around 20 minutes, as people took a long time posing and waiting for passers by to be out of the shot. The temple then has three stair cases to the next level, which are very striking. \nWe then went back to pay another Rp 20,000 each to take the truck back to the car park. Overall, an underwhelming experience and not worth the long drive from Ubud.
(35) Well, not literally, but you get the idea. OK, so there's a great view of Mt Agung. But the fact that it's a temple has been completely overshadowed by the \photo opportunity\". First of all, it's a very long, steep walk, or you can take a shuttle. But even with the shuttle, there are still some stairs and a very steep climb up the last part of the road. Once inside the gates, it's surprisingly small - and unkempt. The first thing you'll notice is the very long line of people waiting to have their photo taken in a variety of poses between the two 'wings'. The photos are taken by an 'official' photographer who leads each person through a variety of poses (about 4 each) and there's a small delay between each person. Which is what causes the long line. And because of that line, it's impossible to just walk up to the wings and take your own photos. \n\nOpposite the wings, there are 3 very long steep staircases leading up to the actual temple, with many statues adorning the hillside on the way up. Very few people seemed interested in seeing the temple as they were too busy waiting in line for their photo shoot. Climbing to the top of these stairs will give you the same view of Mt Agung and the surrounding area as from between the wings. You just won't have the 'bragging' rights of being able to post photos of yourself between the wings all over social media. Like anybody cares anyway!"
(36) This temple is absolutely spectacular......what a beauty to behold and also an excellent place for your best picture to be taken. The \entrance fee\" is based on what you would like to contribute; most tourists contributes around IDR 20K. Depending on the weather, you can snap a glorious view of Mount Agung. This is a spot not to be missed. It is indeed the Heaven's Gate:)"
(37) The most important temple in Bali, the last remaining sacred and secluded major temple. Lempuyang, from the words Lempu meaning lamp/light and Hyang meaning divine/ sacred, means Sacred Light. A huge Hindu temple complex in the mountain of the same name. Lempuyang Pura history is as old as the origins of Balinese itself. It is recommended to have a guide from the pura, preferably a Pamengku (temple priest), to explain the aspects of the temple. \n\nThe temple complexes are divided into three sections : Penataran (lower), Madya (Middle) and Luhur (High). \nThe grand architecture of three doors Candi Bentar is part of Penataran temple. This part of the temple is the outer mandala, a preparation of oneself to purify oneself before the procession to the middle and high temple. From the Penataran lower temple, pilgrims must passed a paved road (20-30 minutes walk to a steep climbing road), motorbikers are available to transport pilgrims. It is recommended to ride this motorbike to avoid early exhaustion before the real 1700 steps climb. It cost 1 euro for the motorbike fee.\nAt the end of the ride, buy some drinks at local foodstall, as foodstalls are becoming rare as we enter into inner temples.\n\nThe middle section comprises of temple for purification (usually have water pond for purification), and temple for worships.Large structures, high stone walls can be found in this section. Dont miss the stunning view to the rice terraces in the valley.\n\nLeaving the middle section, passing Bisbis pura (temple of sprinkle water) and Pura pasar Agung, which is made from carved white stones. From Pasar Agung temple, you must climb 800 meters to reach Pura Luhur (highest temple). Dont miss to see the stunning scenic view of the ocean and the valley in one panorama.\n\nMythical origins.\nFrom the mythical origins of the universe in India Hindu system, from the Mount Meru, the axis mundi of the universe, the god Pasupati sent his children Geni Jaya, with Putra Jaya and Devi Danu to save the Bali island from sinking into the ocean. Geni Jaya, as a god, resides in the Pura Luhur in Lempuyang, at the top of the Lempuyang Mountain. \nGeni Jaya then have seven sons, known as the seven rishi (sapta resi), which is the ancestors of the balinese people. \nGeni Jaya, has four brothers, which the five of them are referred to as the five Pandits. One of Geni Jaya brother is Mpu Barada, who has a son named Bahula. Bahula married to Ratna Mangali, the only daughter of Calon Arang. In this famous legend, Mpu Barada defeated Calon Arang, the greatest witch in all Balinese history. \nFrom Ratna Mangali, Mpu Barada has a grandson named Angsokanatha, which is a famous Javanese poet, famous and knows as Mpu Tantular.\nCalon Arang was believed to be reincarnated as Rangda, one of the most famous icons in Balinese Mythology.
(38) If you want a picture at he iconic Gates of Heaven, you will have to be patient. \n\nWe got to the temple at around 8 30 and waited for almost 2 hours for a turn to get our pictures taken. Luckily there was a shaded area where we queued. The queues moved quite fast. You are only allocated 30 seconds per person to get your pic taken so it was quite entertaining \nwatch everyone try to squeeze in their poses within 30 seconds.\n\nThere is a person who takes the pictures of you in exchange for a donation. you just give him your cellphone/ camera.\n \nSpoiler alert, there is no water on the floor, they use a mirror to create an illusion of a reflection.\n\nThe temple grounds that are accessible to the public is pretty small and once you get your picture taken, there isnt much else to do or see.\n \nDont forget to have an idea of what poses you would like to be photographed in, your future self will thank you.\n \nThe drive up to the temple is definitely worth a mention. Its super steep and the roads are narrow, but the view is spectalur and its also a exhilirating. Youre driving up and up until your in the clouds.
(39) Beautiful temple in the far eastern part of the island of Bali, looking on to Mount Agung. Lots of stairs and a steep climb await you, but it is well worth the hike. Yes, its popular with photoseekers and far out from everywhere, but if you go in non-peak times it is really a gorgeous place to go.
(40) Although the temple is certainly beautiful, it is also extremely crowded and a bit too touristy for our tastes. We were glad we saw it, but probably wouldn't go again unless we were staying very close by. It was a long drive from where we were staying in Ubud, and when we arrived, lines for photos in the iconic gates with the volcano in the background were 2.5-3 hours. We still liked seeing the beautiful temple, and spent a few minutes wandering around and enjoying the scenery. If you're after the iconic Instagram shot, you should plan on arriving very early to get the shortest lines (though early you may have to content with fog/clouds obscuring the view of the volcano, so maybe check weather forecasts prior to going too).\n\nOf note, once you reach the gate area, the stairs behind you are not meant to be climbed by tourists. There are signs all over asking you to stay off of the stairs unless you're there to pray, but there were countless tourists disregarding these requests and climbing up in groups taking photos. Also, be aware it's a short a climb/hike up a steep hill to get up to the gates area, so you should skip this one if you can't do that.
(41) The Lempuyang temple is a beautiful place and worth the trip to the mountains to see it. However, if you wish for that famous picture of yours, be there super early, prepared for a super long wait, or prepared to drop the idea of posing for one altogether (like I did), feeling satisfied with your shots of the gate taken between one person and the next.\n\nUpon arrival, you do get a ticket, however, the system is far from perfect. Unfortunately, it is not one ticket per person, but one ticket per person OR group. Each person is allowed 3 poses. Each couple or group is allowed 3 poses. For a group of 5 people, you have to wait for 3x the group picture, 3x 5 individual pictures, and 3x of any number of couple/triad pictures that people are pushing for. Imagine what the wait looks like for a larger group! For one ticket per person, the wait is about 2 minutes to get to the next number. With the group, you may wait over 15 minutes. Pointing it out to the people who take pictures with your camera to expedite the process was met with \These are the rules\". \n\nNext time, I will allocate a whole day to Lempuyang temple and actually climb up all the way to the top, starting early in the morning. Apparently, the view from there is identical as from the first temple, minus the crowds.\n\nThe temple itself is worth 5 stars, the ticket system is terrible, hence the rating of 3 overall."
(42) The gates do make a good photo. I got there early but was number 28. I was by myself but soon realised that one ticket could have a large number of people on it and after one hour number 10 was called out. Other than the inside of that part of the temple there is nothing else to see. It was a very scenic spot but if you want a picture of yourself in the gates get there early, around 5 - 5.30. I got there just after 6. I didnt worry about waiting and gave my ticket to someone else who had just arrived. Still worth a visit as it is a good view. I climbed up the steps opposite the gates and got some good pictures.
(43) So we came to know about this place on social media, and decided to have a look.\nOur driver gave us a ride to the last stop where you have to continue on a very steep walk, donate to temple and wear a saron.\nYou can only enter the first level temple where there is a small yard with the famous gate of heaven and a 3 hours of waiting queue to take a fake picture with a reflection of water done by a mirror.\nAvoid at any cost unless you are hungry for likes.
(44) Its small, but beautiful and not crowded. Its a great place to relax and take in the beautiful scenery. Its a bit out of the way (more than 2 hours drive from Ubud), but getting there is also scenic. Its close to Lempuyang Temple, so you can do both in the same day if you get to Lempuyang early enough. Theres also places to get beverages and food, so I stopped and had lunch here as well. Highly recommend.
(45) Things to consider just to get that perfect mirrored shot of heaven's gate:\n\nMinimum of 1.5hrs queuing time\nWeather... Too hot especially noon time\n\nIn case you really want to include that shot in your photo travel collection:\n\n****Put on sunscreen \n****Bring hat/umbrella\n****Water\n****Fully charged cellphone - they have their own photographer, using cell phones only. \n****A lot of patience\n\nQueue starts at 5am. Photoshoot at 630am.\n\nWait for your number to be called. \n\nSleeveless dress not allowed. They provide you shoulder covering but think of the sweat absorbed by those who use it before you. \n\nAnd please take time to read the temple's guidelines.
(46) Definitely worth it.its one of the best places I have visited in Bali. \nThere is a place you have to park and some people have set up a business where you have to get transportation like a pick up truck to the top and you have to pay around 40000 rupiah for a return journey and thats about £2. \nAt the moment there has been some conflict where other people want to get involved in the business and that caused some conflicts which the government has decided to stop. So now you can drive all the way to the top without paying the extra fee.\nOnce at the top you only need to donate whatever you feel like donating to enter the temple and you are recommended to wear a Sarong which you can borrow for free. Its a bit of a walk up the hill so be ready. Once up you can see the stunning view of what they call Gate to heaven. You have the volcano of Mount Ugung in the background and that is a stunning view. Apparently there are 4 more temples to the top but tourists are not allowed there.\nI would definitely recommend and its worth it.\nOne more thing which I was told was to go early morning. I was staying in Nusa Dua and its 2:30 hours drive to Mount Ugung. So we left at 4:30 am to get there for 7:00 am and that is the best time as you dont get many tourists and you can take your time to take pictures. If you go by the afternoon it will definitely be busy.\nI definitely recommend this place and would definitely come back.
(47) Its about 2 hours drive from\nDenpasar and you can just cover this place on the way to Lempuyang temple. Not much of an activity here but if you love history and statues there are some here. Lot of big koi fish in the water and there are stepping stones you can walk on the water and take some nice clicks. Water fountains are also very creative and has kind of a architectural beauty. I would suggest, dont go just to see the place if you are not going to any other places around.
(48) one of the most important temple in Bali , Lempuyang temple consider to be one of the \Sad khayangan\"( 6 important temple) in Bali. If you visit this temple be prepared to take step about 1700 steps to go on top the hill. First temple you visit will be penataran agung temple, then telaga mas, lempuyang madya, bisbis temple, Pasar agung and the last is Luhur lempuyang. \n\nThe view between this temple were amazing and since you were on Top of the hill you will see the view of mountain, beaches with coconut tree as an ornaments, its just truly amazing. Once you get on top, you wont to be go down because the atmosphere were very quiet, holy and just amazing feel the spiritual vibration of this temple \n\nThe point is this temple is a must to visit specially for those who likes spiritual tour and admiring the GOD has been created."
(49) Oh my goodness, of all the times we have been to Bali - this was truly the highlight. We hired a driver for the day and headed to Lempuyang determined to climb to the top temple. Take or hire a sarong, pay the 65,000 ($6.50) entrance fee each, and hire a local guide. To get to the top is 400,000p ($40) which is expensive, but so worth it.\n\nKeduk walked with us every step, and we began to understand the cultural significance of climbing these sacred steps to the summit. She is a young mother from the village who spoke good English and explained everything long the way. We felt for the many tourists who chose not to support the local village by hiring a guide - and of course some travellers tried to eavesdrop on the great stuff we were learning. By hiring a guide you are supporting the local village and upkeep of this magnificent site.\n\nThe climb up to the summit temple of Mt Lempuyang is a pilgrimage for Balinese, who bring offerings. It is a 9km hike up and back, and a mighty climb too. Reasonable fitness is required.\n\nWe noticed that many of the other tourist visitors were unknowingly offending our guide; several were reminded to put their sarongs back on during the climb, several were asked not to take photographs of the offerings at the alter, and some even munched on food at the top temple, which horrified her. BTW the second to top temple is the one that pilgrims rest and eat at before completing the short few steps. There are food vendors there - and some aggressive grey monkeys. Monkeys in the hindu religion are also treasured, so to those people trying to hit them with sticks, boo to you.\n\nKeduk arranged for us to be blessed at the top temple, so we kneeled, prayed and received holy rice and water from the priest - water collected from the holy bamboo clumps at the summit, which we drank and washed with. I still get goosebumps thinking about this ceremony, and we both ended up in tears up there. Now if this isn't worth $40, nothing is. \n\nThe title of this review is 'Om Swasti Astu', which is a greeting to wish someone happiness, health, safety and prosperity in their travels. We must have greeted 50 people on those stairs in this way - and it feels good!\n\nIf you are at all spiritual, please do this. If you are not, please don't. I, for one, feel like a better person now. A life changing day. Bless.
(50) If you are residing in South Bali or may be Ubud. so you will have to cover lots of distance in order to reach to this particular place. You will get the feeling of hill station. But this place is amazing. Dhaka make up till one particular place only. After that you will have to take the right in their vehicle, that's the local one. And for that they will charge 20,000 IDR per person for one way. Once you will reach to the temple area you will have to give the donation. You make give 10000 IDR. Additional they are charging 10,000 IDR now a days. \n\nThere are lots of Temple inside. In the main temple you will find people in a que waiting for that turn to have good click. You will find local people are clicking photos with your mobile phone with the water effect. As a courtesy you may give a tip of 5000 to 10000 to them. But that's not compulsory. If you have time and if you have the capability of trekking you may visit the remaining temples in the forest. The view of the mountains from the temple is amazing.
(51) In the spirit of honesty I fell for the Instagram trap - or rather, we wanted to go to the water palace as well (objectively nearby considering how far they both are) so it seemed like a waste to travel that far (3 hours from Nusa Dua) and not go. We left at 4:30 and arrived by 8 after a harrowing journey up tiny mountain roads. It was already packed. You can pay a donation but also have to pay a mandatory fee to rent a sarong, unless you already have one. It's nothing crazy just 10k (less than a dollar) and you're not allowed to be on your period in the temple although I'm not entirely sure how they intend to check that... No kissing either! \n\nThe line was already about 45 minutes when we arrived and moved quite slowly. By the time we were approaching the front of the line they seemed to have gotten their groove and we're ploughing through the line. Someone takes your photo using black glass to get the reflective effect and you just hand them your phone. Everyone gets like 3 poses each. \n\nI heard the rest of the temple is quite beautiful but requires 4+ hours to reach the top. We only had 9 hours with our driver so we were on a time crunch and the line sucked up most of the time we had for the temple.\n\nTRANSPORT: we booked a car for 9hours through our hotel for about $100. We considered klook but the klook app prices are per person and we had 3 so it evened out. I've heard good things about the app but it was easier to go through the hotel. I wouldn't recommend just getting a taxi they're kind of scammy here\n\nTHE BATHROOM SITUATION: Not good, but they do have one. You have to pay like 5k to use it (maybe like 50 cents?) Which is nothing but annoying because it's difficult to get small bills like that so you'll have to buy something at a store and hope they have enough change\n\nTIMING: Our driver said one of his friends drove clients here around 11am and the line for a photo was 3+ hours. I read the temple didn't 'open' until 8 but that clearly wasn't true since people were there way before us. It's about 2-3 hours from the Kuta/Seminyak/Nusa Dua area, so keep in mind that's 6 hour roundtrip time wise to book a driver
(52) the complex of temples at about 1000m above sea level. \nYou have to climb up long steps to the top. i 've only visited first one on half way up by car.\n\n標高約1000mにあり、”天空の寺院”と呼ばれるランプヤン寺院。山に点在する8つのお寺の総称らしいです。\n\n頂上までには 長い階段を登らなくては ならないので 私は車で行けるお寺のみ寄りました。\n\n残念ながら アグン山は雲がかかってたけど、それでも 素晴らしい眺めの場所です!\n\n8時間チャーターで寄ったのですが 同行ガイドが 地元のガイドではなかった為か、知識があまりなく、\n入り口の三ヶ所の門の意味 なども尊重せず で(真ん中は 神様が通る道である事)少し残念な 気持ちがありました。\n\n私が来たのは入り口のお寺のみで \n本来は、数カ所のお寺を回って登っていくようです。\n知識のあるガイドさんを つけて来たほうが良いと思います。
(53) If you like the photo just go that what we human do in today world.\nIf you extra day at Bali.\nFrom ubud to the temple round trip 4 to 5 hour depending on morning or afternoon and the traffic 🚥\nSo prepare to use up the whole day\nGood luck 🙄🤔🤞🙏
(54) We went there to have a view of mount agung but the clouds won't go away which ended we see nothing. However the places is beautiful and we took a lot of pictures. It is the closest to view Mount Agung since it is 15km from the crater. I would still recommend for the trip to this temple.\n\nEnter into the temple is on donation. You can pay whatever amount you want but remember to wear the sarong or you can pay for it at the entrance. Sarong is a must for all even you are wearing long pants.
(55) Ive been seeing a lot of pictures in Instagram tagging this magnificent temple. Thats why I made sure that we must visit this place no matter what happens! Lempuyang temple is situated in North side of Bali. Our villa is in Denpasar, and we were advised that we must allot 2hrs travel time if we really want to go here and the best time to visit is early in the morning around 9am since after that many tourists will visit the area. \nUpon arriving, they will greet you and will ask how many person will visit the temple, you will pay 10k rupiah for the sarong and will be asked for donations only (please be advised that if youre wearing sleeveless clothes, they will give you something to cover your shoulders and you are not allowed to remove that while youre inside). Their staff asked us where do we want to go since theres a lot of temples that we need to go through. We told them that we just wanted to see the what they call “Gates of Heaven” and they told us that this was just a 5-minute hike but if we want to visit all of their temples it will take us 4hours. After 5 minute walk, tourists there were not that many since we arrived there by 9am. If you wanted to take a picture theres a line and someone will take a picture for you, its up to you if you wanted to tip them for their amazing trick on taking your picture. We were lucky that the weather is good and we can see the Mt. kintamani. The place is breathtaking and we were awed by the beauty of this place.
(56) Think about everything good you have in your life, and it will inspire you to fight and stay strong through hard times.\n\nAmazing place and temple in Bali, you can get the Mount Agung view if you on right time. I'll get it for next visit.
(57) Unfortunately the day was a little bit rainy and cloudy as we went to see Pura Lempuyang but regardless of it, the view between \the gates to heaven\" was breathtaking. First we accidentally drove past the first temple where the gates and the iconical three staircases are, as we were travelling without a guide so the temple can be a bit hard to find - especially when there is no tourist groups showing the location."
(58) Temple number 1 and 2 as nice. To cloudy to visit the one on top. It was a nice and easy hike that took us 2 hours in total. Don't forget the sarong!
(59) Lempuyang Temple is one of the most \instagram-able\" places in Bali. With the backdrop of Mount Agung on a sunny day, it's spectacular.\n\nThe site is a sacred place hence wearing the sarong is a requirement as well as your shoulders need to be covered. It's recommended to wear a T-shirt / bring a scarf, and bring a sarong for this visit if you have one, or one needs to buy / rent one at the entrance. Other restriction of poses one needs to observe and no drone is permitted. \n\nFor the famous photo spot, it's 5 minutes walk up from the entrance point. Queuing may take up to 2 hours for the famous photo spot depending the time of the day. Many did come for the sunrise shots for that magic moment.\n\nThere was much history and significance of this temple as it's one of the oldest Hindu temples in Bali. Would suggest one to read up before going to maximise the experience."
(60) Hired a driver, not with the intention of climbing Mt Agung but just of seeing the active volcano, he was game enough to take us into the exclusion zone and right to the Temple complex within 1km of the action.\nThe temple complex which is the largest in Bali is usually packed with tourists and locals but was completely deserted.\nIt was a very eerie experience , wondering amongst the temples with absolutely no one around except the confused stray dogs who had been left behind.\nOur clothes were ruined from ash/acid rain which fell the whole time and it quite possibly took a few years off my life as a result of what was inhaled , but definitely worth the experience - how many times in your life do you get to see a volcano erupting!!

View File

@@ -0,0 +1,64 @@
[TOPIC] 22
[Stats] N=60 | Source=../data/original/reviews.tab
(1) This is definitely a must see! The temple is breathtaking and the location is one of a kind. You can see the volcano from afar beyond the Gates of Heaven. I gained so much appreciation for the Balinese culture here. \n\nThe line is long to take a picture at the Gates of Heaven, but I am glad we waited. They do such a good job of taking your picture. They use a mirror while taking your picture so it comes out looking pretty amazing.
(2) It is the highest temple i have ever been and i didn't regret climbing to the top! Of course i have to make a stop to take my breath from time to time but surprisingly it took me less than an hour to reach the top, that is the Lempuyang Luhur temple. There are other temple below but our goal is the top! We took a guide which we bargain for the fee, but when we reach the top we realize that he is worth it. Not only because of some big monkeys that he assist us to hush, but also for moral support. It was cloudy after we climb half way and the fog was covering below area.. About 5 min to the top, walking through the last bridge, the view takes my breath away! It was all white as far as my eyes can see and the moment was so divine that it felt like i was in heaven!! \nThe temple is small, but being on the top, i just have to take more than 10 min to enjoy and be in the temple. It felt so peaceful with the sound of the bells from the priest and the worshiper chanting their holy song..\nIt is advisable to bring sufficient water and a bit of cookies, but if you, somehow, run out of it on the way up, no need to worry as there are many vendor selling them on the way, with double price of course. But when you''ve been up, i bet you don't mind to pay.
(3) My husband and I visited Lempuyang through Bali Golden tours, the tour company was brilliant and fortunately our tour guide started queuing in the line for the Gate of Heaven for us whilst we looked around the temple. \n\nThe queue time was near on two hours and you really dont need that long to look around the temple, we had read about this wait time and accepted there would be a lot of tourists, however, people will try to push in and some people take so long with their photos the guys regulating it should allow just a set number of poses per person. \n\nOn a clear day I am sure it would have been worthwhile but it was quite cloudy so we wished wed have not bothered queuing and got longer at our next stop. That would be our advice- youll get some other lovely photos from other spots in Bali such as Ulun Danu and the Handara Gate. Dont waste your holiday time waiting for posers who have a million photo taken there.
(4) We visited this temple in late December 2020 during the Covid pandemic. It took almost 2 hours to drive from Sanur beach where we stayed. Once we arrived on the spot, visitors are required to park their cars in the designated parking lot, and paid Rp.50.000/person to ride roundtrip the chartered minibus to take visitors up to the temple. Steep price, but worth it. The attendants said cars are not allowed to go up because of steep inclination, and there is no sufficient parking space up there. The ride from the parking lot to the temple area took less than 10 minutes, but the view on the surrounding was amazing. Once we arrived on the base of the temple, we had to pay another Rp.50.000/person as entrance ticket. Hmmm....that is already Rp.100.000/person. The attendants gave sarong to wear, and yellow scarf for the ladies to cover the open shoulders. From there to the temple, we had to walk up another 5 minutes. If you like, you can pay Rp.5.000 for the motorcycles to take visitors up to the temple. The view was great, and temple was amazing. It is such a nice place to take pictures. They call it, the gates to heaven, and I think it is. Great place, worth the time.
(5) the scenic mount aghun as a backdrop while watching the mother temple Besakih is something ! it keeps surrounding you as you make your journey along the mountainous path. great !
(6) We didnt make it to the peak last time after the mists came down at Pura Pasar Agung which halted our journey to climb a few hundred steps to the peak, Pura Pucak Lempuyang Luhur. This time we came early to the foothill of Mount Lempuyang. Apparently, the ceremony of Galungan was not over yet, and the Pamengku (temple priest) was still holding a prayer at Candi Bentar. Instead, we were guided by his eldest son, Gede, which refers to the order of the children as the oldest. Pura Pasar Agung was still under renovation, only slightly progressing. Pura Pasar Agung is literally means a market, like in a traditional wet market, which symbolize last temptation to renounce worldly concern before reaching and entering the holy temple at the peak. \nThe view after we passed this point is stunning as we can see a panoramic view of the sea, lowlands, rice terraces and the mountain. After hundreds of more steps, we arrived at the summit, Pura Pucak Lempuyang Luhur which has 360 degree view including Amlapura beach and Amed beach. Holy bamboo which tubes contains sacred water are preserved at the inner temple. This temple is the place of Rishi Genijaya, arguably a Shaivite Buddhist priest. Mpu Genijaya is one of Panca Tirtha (lit. five waters), five maharishi from Java that came to Bali, along with Mpu Semeru, Mpu Ghana, Mpu Kuturan and Mpu Bharada. Mpu Kuturan was married to Calon Arang, a left-tantra Bhairavi practitioner, in Girah village, Kediri, east Java. Mpu Kuturan left Calon Arang with his daughter Ratna Mangali. The following famous legend told the story of the greatest witch in Balinese history, Calon Arang, sent plagues to the kingdom of Airlangga. King Airlangga sent Mpu Bharada to defeat Calon Arang which turned out an elusive task. Mpu Baharda sent his son, Bahula to marry Ratna Mangali, daughter of Calon Arang. Later, Bahula stole Calon Arang's secret scriptures and handed down to Mpu Bharada. With the secret revealed, Mpu Baharda defeated Calon Arang. Legend has it that at the time of her death, the wrathful widow turned into Rangda, the queen of Leak. From Bahula and Ratna Mangali, Mpu Bharada has a grandson, Mpu Tantular, which is a famous Javanese poet. Mpu Bharada also built a Candi/ temple in Porong, Sidoarjo to prevent the wrath of water from drowning the region. In modern day Indonesia, the temple was demolished during an oil and gas exploitation project. A massive and incessant flow of hot mud drowned Porong town. A disaster that has been prophecied over a thousand years ago. Porong is still under water until today.
(7) The first temple, with the famous gates, had 100+ people queuing for their photo and their chance at Instagram glory. It was frustrating that with the line of people and constant occupancy of the gates, other tourists couldn't enjoy the view. We left the first temple quickly and had a much better time higher up the mountain! In fact, we only saw one other person make it to the 7th temple at the top. Do yourself a favor: climb to the top and enjoy the other temples along the way. They say 4 hours to the top, but you can easily do it in 2 if you're in good shape.
(8) This place was really nice but full with tourist and very crowded .\nI saw the photos from here and really thought it is very quiet and nice to walk and take some good photos but i was wrong .\nIf you go to lempuyan temple it worth a visit.
(9) Spectacular view. Worth the distance. \nThe gate with the view of Agung, an active Volcano\nWe traveled from Ubud, it took us a little bit more than 2hrs because we left Ubud almost 9.30am therefore there are many car and traffics. \n\nSarong is there for rent, so if you have your own bring it. Ladies need to covered your shoulder as well if you are wearing singlet or open shoulder top.
(10) The temple located up in the hill. This temple area have a few temple which you can explore with walking, but it can be tough because the trekking course is a stair. From nearest temple you can see a gate named heaven gate. The background of the gate is mount agung. It can be a good spot for taking pictures.
(11) This is one of the most important temples in Bali. It's a truly magical site, You just have to breathe the energy for Your spirit admiring the \Heaven's Gate\" & the volcano Agung on the background.\nAbout 2/2,5 hours are necessary to get Your cool picture there, if You arrive there in the middle of the day (it's better to come early in the morning, there's no queue...).\nThe whole visit including the several levels of this temple takes about 4 hours.\nTime to reach Lempuyang from the main towns of Bali: from Ubud 2,5 hours (passing from the seaside), 3,5 (passing from the country); from Nusa Dua & villages close to the airport area 3,5/4 hours (depending on the traffic conditions).\nFree donation to entry, bring Your \"sarong\"\nif You already have it, otherwise You must rent it too giving another tip..."
(12) We did not do the 1,700 steps, stopping at temples along the way until reaching the top. We cheated, doing only 231 steps, (I counted), from the car park at the bottom. We visited numerous temples in Bali and this was hands down the clear favourite for both of us. \n\nThought to have been built around the 8th century, the majestic Pura Lempuyang is simply breathtaking, perched up on Mount Lempuyang, nearly 1,200m above sea level. It was amazing up there with no other tourists, so quiet and peaceful, with only the sounds of birds and a bell tinkling, as there were six men praying. We chatted to the men after they had finished praying and they were a lot of fun. We stayed up here a long time just taking in the tranquillity and didnt want to leave. The view was stunning, even with a mist slightly obscuring the peak of Mt Agung.\n\nThis will forever be a powerful memory. If you only visit one temple while in Bali, make it this one. A sarong is required.
(13) Was looking online when I came across this place because it wasnt originally part of our plan but so glad we went. The temple itself is high up the mountain so youll need to be travelling with an experienced driver/tour to get you up there.\nOnce youre up there, youll have to pay a contribution fee to help maintain the temple and of course youll be provided with a sarong to wear before stepping into temple areas.\nTheres two main areas, one has the big swing and scenic mountain view and the other is the most popular area for a picture which is named gate to heaven or stairway to heaven depending on whom you ask. The waiting time to have your picture taken there is slightly mad, in the end I couldnt be bothered waiting but if you have the patience then Id recommend it.
(14) This site includes a large number of temples for which you have to climb high in the mountains (after taking a dizzyingly steep drive to the entrance). To see them all will take 4-6 hours, but you can see the main temple, which is beautiful and has an exceptional view, in less than an hour. \n\nMen and women alike will need to wear sarongs (which you can rent at the entrance for 10,000 rupiah), and there are lots of instructions about where you are not allowed to walk and which stairs you must climb. We did not see any signs explaining how to get to the other temples higher up, but we heard that it requires over 1,000 steps. Before ascending to the top level of the main temple, you will need to get sprinkled with holy water. Entrance fee is a voluntary donation.
(15) Insanely Beautiful place to visit in Bali. Worth the travel to see Pura Lempuyang. Highly recommended to visit this place.
(16) Compared to other temple sites, I would say Lempuyang is now a tourist commodity and an Instagram placeholder. There is a small place up near the gateway to heaven with tourists waiting in two sheds on both sides to the gate. Expect wait times of 1-2 hours for your pictures. Nothing else to do. \n\nYou may be better off taking a picture from the sidelines during people transitions - without getting the perfectly aligned view. The remote mountain ends up being cloudy most days. \n\nThe remaining parts to the temple are very picture worthy. The steps with the dragon opposite the gate. The steps down from the gateway to heaven. The temple is also a steep slope to climb and descend.
(17) Cultural importance, history, spirituality, magnificent view.A lot of tourists come for the photo of Mount Agung, the \Power\" mountain but take your time and have a closer look ........there is plenty to take in and enjoy. Highly recommended !"
(18) Pura Penataran Agung Lempuyang is a Balinese Hindu temple located on the slope of Mount Lempuyang in Karangasem, Bali.\nSuggest you get there early in the day, as the crowds can get a bit much. There is usually a line of people waiting to get in to see the temple and have their photo taken. \nWorth a visit
(19) Pure Lempuyang, a breathtaking 3-4 hour trip from Kuta taking in coastal island and mountain views. Once there treated by some of the ultimate photo opportunities one can find in Bali. We only went to view the main temple over looking Bali largest Volcano Gunung Agung, but there is another 6 temples to see trekking up the mountain if you wish allow a good day for this apparently.\nThe entry was cheap and traditional garments are supplied needed to enter the grounds.\nThe views are just amazing!!! \nThis place is very sacred we were lucky enough to find it not too busy. Just remember to be respectful to the locals who do not get a chance to visits that often. \nThe tourists we were up there with all stood to the side while the Balinese paid their respects and took pictures with their families I was honoured to be there while some of them for visiting for religious purposes and not just taking pictures as the tourists. \nThere is a small shopping stall at the entry point and a toilet for a small charge.\nThis is a must visit for photographers allow time to stop on the way.\nNext trip I plan to spend a lot more time on this side of the island.
(20) Pura lempuyang consists of several small pura. We went to the highest one lempuyang luhur but unfortunately the weather isnt good enough. It was rained and cloudy that day so we couldnt get the clear view of mt. Agung as the background. Its one of the beautiful pura i ever visited in bali. From denpasar it tooks around 3 hr to there but the view it self worth the long trip
(21) If youre travelling more than 30 minutes, Id steer clear. \n\nAlso note to cover your shoulders and bring a sarong if you have one. Otherwise youll get to borrow one from a limited selection which is included in the price of your ticket. \n\nWe arrived for 7AM and were given ticket number 46. They were on number 14 by the time we got to the top and it didnt take long to see that it would be a long wait. The girls were demanding “One more! Take another!” To the locals taking photos and frustratingly they did as they were told. \n\nWe were privileged enough to watch the locals walk through the gates from the mist of the morning which made for a spectacle. Not something the instagrammers cared for as they complained. Honestly… \n\nIt doesnt live up to the hype and there are numerous places on the island that look the same which are never as busy. Do a little research.\n\nOr, personally we found the view far more impressive from below the gate. Just walk through it and down the steps below. Theres some fantastic dragon sculptures with their mouths illuminated with red lamps. Given the most of the morning it made for some incredible photos.
(22) At first, by looking at the picture, I thought the buildings must be very huge. But just a normal one where it facing Mount Agong. Credit to the person who took picture. The effect definitely nice! \n\nBut you will need to line up for at least one hour or even up to two hours to take a photo. Few tips here, departure early in the morning to avoid traffic jam and be the first one. You can have more posture during photo taking. Or take turn to line up if you are in a group of people. You may take picture at other place while others line up. \n\nSome rules to be follow, no kiss no hug for the couple! Ladies who are having period are not allowed to enter the premise. If you plan to have yoga posture, do not place your leg above your head. Baby who are born less than 105 days are not allowed to enter. Please respect the rules! \n\nYou are required to wear sarong. And shoulder and back be to be covered. You may match cardigan, clothes and sarong by your own. If you wish not to have the same sarong with others.\n\nOh ya, be positive! Think positive, speak positive. One of the rules stated. There are some people tends to ignore the signboard and jump queue by paying extra money to the photographer. \n\nLastly, do not lean on the dragon statue. No worries, if you did something incorrect, you will get reminder from the staffs and everyone will stare at you. So behave yourself!
(23) Lempuyang Temple \The gates of heaven.\"\n\nUbud, Bali\n\nBeautiful temple, but the lines are long, BEWARE! We got there 30 min after it opened, and we were still #112 in line!! This temple is about a 2.5 hr drive from Ubud and is known for having the gates of heaven. You can't enter past the stairs above this pic as it's only for religious practices, but you can walk around the non-restricted areas and take pics. To visit, you must wear a sarong and cover your shoulders."
(24) Pura Lampuyang temple is spread across 3 levels. To reach the highest temple you have to climb roughly 1700 steps.\n\nThe first level is easily accessible and offers a stunning view of Mount Agung.\n\nWe highly recommend a visit to this temple if you are anywhere near eastern Bali.
(25) Great view but must take a long queued for take a great pictute at the temple gate with mount agung backgorund.
(26) If you want photos of the temple without 10,000 tourists lining up in front of it, you need to be there no later than 6am. We arrived quite late in the day and with the sun setting + so many people it was pretty impossible to get close up/good quality photos. You can line up for photos close to the temple if you like but probably looking at 1.5hrs minimum before its your turn. If you want to use a drone you have to pay extra on top of your ticket price. \nWould be a stunning location without the crowds, so early arrival is a must.
(27) This is a good place to get awesome Instagram photos. Note that you have to get there early. You have to pay IDR100K, which covers the bus ride up and down the hill, and the sarong which is used to cover the underpart of your body.\n\nI went there at 8.30 am and there were about 100 people in front of me. Waited for 3 hours before I got to get my pose. You will be given 4 poses at Heaven's Gate. Jump shots are allowed but no lifting of legs as exposing anything under the sarong is considered unclean. Females who are menstruating are not allowed to be in the area.\n\nOn a clear day, you will get a clear view of Mt Agung.
(28) Gorgeous walk from the top of the hill down the volcanic rock to see these beautiful ancient ocean front temples. Lots of locals were there wading the water and participating in spiritual rituals. A very moving site and apparently one of the most popular photographic opportunity in the area. I can see why! Steep hills and long walks in the heat were hard on some of the older folks in our tour group. Still, it's worth the hike!
(29) When arrived at the entrance some people were discussing outside. Sarong was provided to enter the temple. When reached at the temple then came to know the number were given to be able to take pictures at the Heaven gate a need to wait when our number will be called. Very nice place to visit but too long time for waiting.
(30) Great temple complexs on the hill of Lempuyang , there are 7 amazing temples in a different location . It will take 3 hours for a whole trekking trip . But the view is undescribe , it's incredible scenery of the lanscape from the top of the hill . \nIf you are fit and love the cheap adventure for the highest prize of the scenic view , nice local mountain peoples and much more beautifull things around here . Yes , this place is the most recommended place to visit .
(31) This place is very very very beautiful... you need more than 1 hour to queue to take photos at the gate (its not a peak season )... But don't worry, its more than worth it to wait that long because you will have the great photos taken by the men that work at the temple
(32) It was hard to get a complete picture of Mt. Lempuyang and the temples before arriving. I had wish we would have known a few things before going. Hopefully this helps. I wish I were reading this two days ago! We hiked all parts of the complex. In retrospect, I wish we had at least taken a moped/motorcycle to the second temple area. That would have saved the legs a bit!\n\nEntrance Fee- a suggested donation of 20k IDR each\n\nSarong- You must have one on if visiting a temple. Our driver brought two sarongs for us. You could also rent them for 10K each. It was a bit of a pain to wear the sarongs while hiking, but it would have been more difficult to take them on and off. Most people hiked with them on the whole time.\n\nRoute(s)- This part is not well explained anywhere. There are 3 routes or options you could consider with the further option to save time by riding a moped/motorbike to the second temple area.Here are the options as I see them now:\n\n1. The two first and best temples from an architecture perspective are close to the car park and don't involve much climbing. Many people seem to just arrive by car and check out the two first temples and leave. There are great photo opportunities and this option involves little exercise. This option will take 30-45 mins\n\n2. Take a moped/motorbike to the start of the second temple area and then go straight to the top. As said above, taking a moped to the start of the staircase to the top makes some sense. It saves about 1.5km of steep uphill road and will keep your legs a bit fresher for the ensuing climb to the top. Doing it this way cuts the total number of steps to 1700. Don't kid yourself... this still won't be an easy task. The steps are steep and slippery. You need to have decent fitness to do this. You will see two more temples and be rewarded with tremendous views if there are not too many clouds. This route should take your 2-3 hours tops!\n\n3. The Full Monte- This was a little too much in my opinion, We walked up the road to the second temple area and then did the loop to visit the other 3 temples before making the climb to the top. This route has 2400 steps. The second temple was worth the visit with great view of the Mt. Agung! We also walked the whole way down which was also brutal on the legs. Take a moped taxi! They are cheap and seemed reasonable safe! I am including the map of Lempuyang. This took us 3 hours top to bottom, but we moved fast. Normally this is a 4 hour hike.\n\nMonkey Action! We saw a number of monkeys at the last two temples. As others have pointed out, they seemed fairly aggressive and not very friendly. At one point, we walked within a few feet of a whole monkey family. I did not love that moment of the hike. A monkey bite will end your trip to Bali in a hurry. Be careful of the monkeys, Having said all that... they are not some monkeys from a horror movie that will just jump on you and bite you unprovoked. If you stay calm, they stay calm. Don't show them fear, but also don't look them in the eye!\n\nGear- i saw a people people trying to hike these steps in beach sandals!!! They did not make it to the top! You need good shoes with support or hiking boots! The stairs get slippery. Be careful! Also, it makes some sense to take a rain jacket of some type as the weather really changes from the bottom to the top.\n\nHopefully this review helps a few people. This was one of our most memorable experiences in Bali. We found it to be a challenge and a spiritual experience. You will enjoy it! Pick the route that works best for you and know what you are getting into!
(33) First the good news: the temple where everyone takes a picture is a short 5 minute hike and seeing it from below is pretty cool too. Everyone focuses on seeing Mt Agung through the gate split but I thought seeing it from the other side was just as cool. \n\nNow the bad news: long line so you can have your picture taken by their photographer which you have to tip. That reflection you see in all the pictures is them using a mirror to create it. I think because of the short hike, it gets very crowded. \n\nI think if you come just to see this temple, you'll feel a disappointed. Walk up the mountain to see some other smaller temples and you won't feel as disappointed.
(34) This is a gorgeous site, the mountain doesn't seem so tall until you need to climb it! First it is a rather steep walk for couple of kilometers and then 1700 steep steps to the top temple. I loved it but it is very difficult - you have to be a very fit person to put up with the heat and humidity which makes the climb this much harder. In my opinion it is only worth going there if you go all the way to the top - it really is incredibly beautiful up there. You can rent a sarong for 10k and make sure you leave a donation, any amount is welcome, I think 20k is a good amount. It is a very spiritual site, quiet and peaceful, I didn't see any foreign tourists past the second temple. It took me about 2hrs to climb up and less than an hour to get down, stairs down are easy but the 2km walk down is steep and the sun is deadly there! People who work there are very helpful and will point you in the right direction if you get confused but it is pretty straight forward. Ladies, please read up on Buddhist customs related to your time of the month situation before you go there - it is very important.
(35) 1. Journey: 3 hours from Kuta area\n2. Entrance fee: donation\n3. Attire: compulsory to wear *Sarung*\n4. Transport: Once you reach you the lempuyang temple parking lot, you will need to sit the shuttle lorry to reach the peak. \n5. When to visit: usually it will be more local to be there when the having religious ceremony, if you wish to avoid the crowd you can have little survey on it. I will also suggest you reach there either at the early jn the morning or one hour before sunset as the view will getting better. \n6. Photo shooting: the view is absolutely stunning and I queue for almost 40 minutes before my turning for shooting. If the weather is good and the cloud is away, you will be able to see the Mount Agung appear behind the *Big Door*.
(36) The temple is gorgeous and with astonishing views.\n Some people seem to take against having to use the 'park and ride' system here, but it's pretty efficient and low-cost - also fun! I have no issues here and thought it was all perfectly fine. I brought my own sarong and there was no pressure to rent. \nWhile the donation is supposedly just that, a donation, it certainly feels more like a mandatory entry fee. We were more than happy to pay this and it felt completely worth it, but 'donation' is perhaps a bit of a disingenuous term. \n\nThe photo system for the famous photo op is a bit frustrating. I didn't care about being in the photo, I just wanted one well framed photo of the gate itself - which was difficult to get with the big queue of people and constant posing tourists. I'm sure those who queued for the photo got what they wanted out of it, but for those not interested in posing for a photo, it monopolises a big area of the courtyard and stops you getting your own people-free shot.
(37) I felt blessed to be able to visit Lempuyang temple it was a nice drive to get there a short walk up the hill to the temple we went early so as to miss the crowds and heat well worth a visit
(38) Heaven on Earth, the place is very peaceful. This is the only part in Bali I didnt feel the heat. The temple is up in the mountains, truly remarkable. The gates over look Mount Agung. I recommend that you get a picture here, even though you have to pop up a small donation fee, it is worth it. You get to have two of Bali iconic landmarks (Gates To Heaven and Mount Agung) in you photo.
(39) For me personally this is a waste of nearly a two to three hour drive from Seminyak or the central areas in Bali to get here. Getting up at 04:00 was pointless as there was a massive line already. Loads of extra costs. You first need to pay for the shuttle bus to take you up, then an additional ticket to enter the temple. There is a bit of uphill walking so wear flat shoes. Not difficult but that area has rain with the humidity and it can be slippery. If you are going for instagram photographs, suggest taking a sarong with you and make sure you cover your shoulders or have a throw. I had a long dress on but they still made me wear a sarong which was an awful design and a crazy coloured scarf so I looked like a clown! At least if you can bring your own, you can match it right. There are stalls where you can buy drinks and snacks as you enter. Upon entering they will throw holy water on you which I didn't appreciate. Once inside it is a whole tourist circus. Not as I imagined. They allocate you a place on your ticket to take photographs at the 'Gate of Heaven'. They were on number 26 when we arrived and we had number 71. After thirty minutes it had moved up maybe 9 places. There isn't much else to do but wait. We didn't bother. It wasn't that stunning and there are nicer places in Bali for photographs. If your going to see the temple and have a genuine interest in learning, then go. If your going for instagram photographs like most people, don't bother. Waste of time.
(40) So this temple is actually something like 6 or more temples. Most people only visit the first one, which is the signature picture you see with the three triangular monumental doors. At the bottom of the temple, they will show you the map.\n\nThe second temple isn't much of a temple, it is only an alter, but you can see it by riding on a moped or walking. After the second temple, you have to climb up via the stairs. When we went, it was raining pretty hard so we stopped at the second one. I'd say, unless you're going to go up the mountain to at least see the third temple, no need to see the second one. It'll take probably 3+ hours if you want to see all six and you have to be really fit. \n\nI asked our guide, she said the first temple and the one at the very top (fourth one? can't remember) are the most beautiful / landmark so we were okay just having seen the first one but I think if I were in Bali for an extended time, I may consider a day hike here for exercise and to see all the temples.\n\nAs for the guides, our guide asked for $30 to take us up, which I thought was ridiculous. We bargained it down to $10. So there's a lot of room for bargaining with the guides. Also I've generally felt the quality of guides in Bali are very poor. We had quite a few guides at different sites, none were very good at telling about the history of the temple or an interesting stories or facts, etc. Their knowledge is about the same as probably any local Balinese. Our driver told us, generally they are not certified guides and have not gone through any training. None the less, it is helpful if you're not getting cheated at a high rate.
(41) It's a long way up the mountain, even if only to the first temple (there are several as one walks up the mountain). The \gate of heaven\" attracts an inordinate number of tourists who seem to be there only for the iconic photo. As a result of the crowds, it is no longer possible to use the upper parking lot, and the locals operate a system of (paid) shuttles that take you up the winding mountain road to the base of the first temple. From there one walks up to the temples. The line of tourists waiting for their turn for a photo at the \"gate of heaven\" was astounding. I estimated that people waited nearly two hours for a few seconds' worth of photo taking. Worth it? I don't think so. There is so much beauty there other than the famous gate."
(42) I would agree with the recent previous review that this was a bit disappointing. I had read previous reviews and was so excited to visit but it was not what I expected. It is a long/tricky trek to get to the temple of about 2.5 hours from Ubud. The temple itself is very beautiful and situated in a beautiful location. The views of Mt Agung are spectacular. Unfortunately the locals have turned it into a bit of a tourist trap. There is a line for pictures of the famous gate and they are looking for guests to pay 10k IDR. This is a small price to pay, just ruins the feel. There was also a religious ceremony going on, so the vast majority of the temple is blocked off and not accessible. My main tip would be to make sure the entire temple is open to visit before making the long trek.
(43) This temple provides the setting for stunning views. Go (very) early so you can skip the crowds, and be patient if the weather doesn't seem great as it'll clear when the sun rises and you'll get a good view of Mt. Agung from the gates. \n\nThere's a voluntary donation (which is nice to do to help keep the temple well-maintained), so don't feel pressured into doing so. \n\nThis temple is considered sacred by locals and pilgrims, so please be respectful. The locals will tell you about the temple, the dos, and don'ts (don't show affection, don't sit on the dragons, don't go up the middle staircases etc). Remember those, or you'll get yelled at.
(44) 1. You cant drive up there by your own. You need to leave a car on parking and buy a ride from local drivers (20.000 one way means 40.000 IDR total)\n2. Forgot your Sarong? Dont worry you can rent one by the entrance (10.000 IDR)\n3. Word “donation” have separate meaning there because there is a “must to donate” and type your signature and amount donated on list (10.000 IDR)\n4. There is a couple on the middle of the temple doing perfect picture shots of you between the gates and with Agung at the back of course it is a donation (10-50.000 IDR) guy is holding a reflection mirror close to the phone lenses so there is a water like effect on the picture.\n5. Standing in line for a perfect picture for like 2-3 hours - priceless - for all other things you will NOT pay with MasterCard because they dont use terminals and they dont have legal businesses. My friend told me it is a Mafia like group to squeeze as much as they can from visitors.\n\nAnd the best part - we asked kindly this photo maker about picture opportunity and he said that if you want to make a picture by yourself with Agung and the gate you still have to water in line even if you dont want this smart reflection picture! All you can do without the line is from the back of the operator without disturbing their procedures.\n\nWhen you enter this temple first thing you see are beautiful stairs with dragon statues - they are amazing... way better for a photo than this gate with Agung... for this volcano I recommend Mother temple closer to the mountain with way better views.
(45) The temple and Gates really are stunning and getting that close to Mt Agung was a privilege. And if you want \that photo\" bad enough, you'll do your research, read all the reviews below, pay well for a driver because it's a skill being able to hill-start in a manual on a 70 degree angle, obey all the rules, arrive very early and be prepared to queue, show patience, mingle with the other tourists and show gratitude to the Temple and the photographers who only ask for a donation. We arrived at 6.30am after leaving Ubud at 4.30am and waited for 1 hour and 15 mins. We also watched a lovely man propose to his girlfriend when their photo's were being taken. Suksma Bali!"
(46) You need to climb around 500m to the first temple, Gate of heaven have a nice view with Gunung Agung background. Need to queue 2 to 3 hrs for photo shoot if coming at 8am, better early. Anyway we are enjoying the view and for patience of waiting we can see the top clearly.
(47) Just walk up and enjoy the serene atmosphere &amazing view to Agung Mt. The temple itself is closed, reserved only for local ceremonies! Access fee 20k IDR incl.sarong, but not including the Gate of HeavenTrick Photo (iconic Instagram viral photo) done by a local \master\" with a glass chop under the camera, for an extra charge. BUT it's a 1 or 2 hours line, in the order of access tickets! Just take with your phone few pics at the Gate between the people from the line! And take some relax moments in a shadow quiet corner! when you step down... A must visit 2H away from Ubud, together with Tirta Gangga, Amed beach &Taman Ujung. Call your driver to come pick up you from the entrance tree, not walk back by crowded street."
(48) Worth to visit. Less crowd. Better to be here at 8am. Only 100m hike to Pura Lempuyang Gate. It's hidden gems!
(49) Awesome voew on Agung vulcano. You must go up about 200 steps to temple. Temple is very nice. You can make very good pictures.
(50) Its a long 2.5 hours of car travel from my hotel is Nusa Dua. But it will be worth it. \n\nThe main point of interest within the entire compound is the Gateway structure. The temple staff will be there to help you with photos. They use a piece of glass to create the reflection effect, which I think is great.\n\nEveryone gets a photo turn alone or as a group with the gateway. Just make sure you queue. Cutting another persons queue is not cool.
(51) Going here the best when the weather is clear. The best time is when you can see the Agung mount from second temple. But even if no mountain it still rock! You have to be patient if want to get official spot for photo
(52) I don't know what to say.. I feel both blessed to have visited this holy temple but also mislead by the many pictures. \n\nLet me start off by saying this place is very difficult to get to. It's on the far east end of the island on the tip of the mountain. You need an experienced driver to get you here safely. It's also important to go early in the morning as the traffic tends to build-up during the day. I was having a mini panic attack watching our driver drive through the narrow cliffs all the way up the mountain - BUT we got there safely. From Ubud it took approximately 2 hours and we left around 6am. We arrived around 8am and it was already BUSY. \n\nThere are many rules prior to entering the temple: \n- Ladies must not be menstruating \n- EVERYONE must wear a sarong and cover their shoulders \n- Must keep a positive attitude \n- No PDA (kissing) \n- No yoga poses \n*just to name a few.. \n\nThere's no set entrance fee but instead a donation of your choice. If you did not bring a sarong or shawl to cover your shoulders - it is 10k each. Once paying, you must climb up the stairs, hike up another 10 minutes AND then you arrive at the temple. I was pleasantly surprised to see that there were only 2 lined rows (assuming it would be quick) but in reality it took us a good 1 hour and 30 minutes before taking our picture.. It'd be helpful to discuss and arrange the type of poses prior to taking the picture. It'll save you time. When it's your turn, you simply provide your phone, a donation, and the locals take your picture. It's quick - about 1 minute at most with 3 poses. \n\nPrior to doing my research, I was convince that this place was nestled between a beautiful, clear pond and the gate. To my surprise, this place does not have a pond/lake/or any kind of water. The illusion is the mirror placed beneath your camera to give it the \mirrored effect\" - my boyfriend who had zero idea was quite disappointed. He was expecting this place to have a tranquil vibe with a beautiful view of the volcano on a blue, clear pond. \n\nWhile this place is beautiful. I'm not sure if I'd recommend it. If you MUST have your IG picture then yes, but be sure to arrive early and expect at minimum a 2 hour wait for a deceiving picture."
(53) So, we reached there at 7am. First you have to rent a sarong (which I personally think is not necessary) for 10,000 rupiahs and give any donation (as entry fee). Then, you climb up a little, and surprisingly you find a long queue in order to take the “famous” picture. It varies between 1hour to 2 hours waiting line. At the end, youll end up taking a great picture (with a scredt move from the locals there 😜)
(54) Known as the Gateway to Heaven, Lempuyang offers beautiful views! The ride up the mountain to get to the temple is pretty crazy though (steep, narrow roads with fast drivers), but totally worth it. Before entering, both men and women have to wear a sarong around their hips, and women have to cover up exposed shoulders with a scarf (all of these provided can be obtained at the entrance). They also ask you to make a donation before entering. The main photo attraction is the gateway. People line up to take pictures, and if you are lucky and the weather permits, you can take an awesome shot with Mt. Agung in the background. When my husband and I visited, there were two men who acted as the photographers. We lined up, and when it was our turn, we gave them our phones/cameras to take our pics. They provide a bit of direction to take pics (i.e. \Next pose!\" and \"Jumping picture!\"), but they do it mostly to keep the line wait times manageable. It was also understood that we had to give them a small donation for their services, but let me tell you -- our pictures came out beautifully, particularly because of a camera trick they use to create a mirrored image.\n\nAll in all, Lempuyang is a must-see place to visit in Bali, especially if you are looking to get a really beautiful picture."
(55) We drove via bike from Kuta area, it's bloody far but we went to the wrong location and ended up somewhere in the mountains inside so pls becareful when you key in Pura Lempuyang, make sure u select Pura Lempuyang temple and not Pura Lempuyang Luhur.\n\nWhile getting lost in the mountain, locals were offering to take us to the temple for a price, i suppose a lot of ppl made the same mistake as us. And there was no line there so we couldn't load Google Map but eventually we found our way without paying any sharks who found us lost.\n\nThere is no entrance fee, but there is IDR10,000 for the sarung and donation fee. We donated IDR40,000.\n\nIt was very foggy/misty when we arrive so we already expect that there wil be no view of Mount Agung. The queue is long, there are ppl queueing on the left side but there are also ppl sitting on the right side. I didn't enquire why is this. We saw ppl walking up to the gate and taking a few shots. \n\nI wouldn't mind taking the picture but I have a thing against ppl staring at me and obviously ppl queueing there will look and i will just freeze up with any pose i have in mind. It will be really awesome if the guy sitting there collecting money could come up with a more effective system to 1. manage the queue and 2. maybe have the whole lot of ppl queue elsewhere or a covered area so ppl who are posing at the gates will feel more comfortable, but then again its a temple my idea is ridiculous.\n\nBoyfie didn't want to queue for it because he say you can't even see Mount Agung so a waste of time for him. One lady took of her shoulder cover to take a picture at the stairs but a guard yelled at her. I don't see why he needs to because the sarung covering her legs are not exactly covered, I can see her legs. So it's like yelling at something for the sake of yelling. \n\nWe walked up the stairs and leaned on the side and we got yelled at for leaning. We sat for a bit at the top but was chased away by a couple. He came and politely told us (including a few more at the highest part of the stairs) can all of us go away because he wants to take a picture with his gf with a clear stairway. So we looked at what beautiful picture that he wants to take; his gf in front holding his hand (you know the follow me pic) =.= \n\nToilet is IDR5,000. Should be ashame to collect money for such a YEK toilet.\n\nAnyways, if you don't want to queue you come and take a few pictures and depending where you are coming from, it's a long drive so think three times. Motorbike has been really good in avoiding traffic jams especially in areas with tourist attraction.
(56) If you have your heart set on the picture, even if you get there by sunrise, there will be over an hour-long wait. We were there by 6 in the morning with no intention to take the pic and explored the other temples around there. The view is nice and there are some great memories to be made without having to take that specific picture. \n\nIf you need it for your social media though, factor in a couple of hours waiting and you get about 30 secs to do a maximum of about 4 poses haha. It is entertaining just watching people there.\n\nWoe betide you if there is a tour bus from China. One arrived as we left and we can only imagine how long they took.\n\nBehind where the photo is taken is actually fantastic and the other temples are a 3hr hike which is worth it also.
(57) It was a small place with a great view. It was actually a large complex of 4 temples and it took about 4 hours to see all temples, but we only visited the first one (Lempuyang Luhur Temple). \nThey will give you a queue number to take picture at \the gate of heaven\" and it took about 1-2 hours to queue, but don't worry, you don't have to stand in line for that. They provide a gazebo for visitors to wait their turn for photo session. \nYou can also take pictures at the other side of temple which also beautiful.\nThey use your mobile phone to take your picture, with a mirror placed next to the camera lense to get a wonderful reflection effect. They only give three poses for each visitors, so make sure you have your other camera on tripod to record of all your poses at the same time, or if you go in a group, have someone in your group to take your picture without the mirror. So that you have two version of your photos, with and without reflection.\nDon't forget to bring foods and drinks especially if you travel with younger children.\nThey only ask for donation as an entrance fee.\nYou have to wear sarong and cover your shoulder with the clothes you wear or with a scarf in the temple area. If you need to rent a sarong it costs IDR 10.000 each (you can bring your own sarong as well).\nWomen on their period are prohibited to enter the temple."
(58) Proud to have an experience to the temple on top of mountain. Taking almost 1 hour to arrive at the temple from the mountain feet, but passion to challenge it makes unforgettable memory. This temple gate faces to mount of Agung which was very beautiful, what an amazing!
(59) Actually Lempuyang Temple is located at the peak of mt Lempuyang,and the famous gate of heaven is the split gate of pura penataran agung which is at the foot of the mountain.i visited it in June.actually i plan to go the top,but heard that i must wake up earlier,and not enough info about climbing to the peak of mt lempuyang,so i visited pura penataran agung only,travellers are prohibited to enter the temple,you can take photos outside of it only,cuz my local friend brought me inside,and prayed there,so i have a chance to go inside.after that you must queue for photo taking of the gate of heaven,someone there will help you to take photo(tipping is welcomed).noted that it might take quite a long time to wait,depends on the numbers of travellers,that time i waited for 30 minutes++(not sure of it), then if you dont wat to climb up,nothing to do here,have to go down and back.if you want to climb up to the peak,you can hire the guide to accompany you,the price is fixed.
(60) You should check this temple out on the internet for all of the finer details but things you need to know in order to visit are:\nyou can get a sarong at the base for 10,000 IRP\nif you can get to the first temple - maybe 100 steps you can negotiate a lift on a motorbike for 30,000 IRP return to temple number 4. The view is amazing and after some advice from the locals decided not to go all the way to the top (1700 steps) because the view is blocked at the top by trees.\nIf I did it again I would have tried to arrive as early as possible so that its cool for the climb. It is hard work and to get to temple 4 we did about 400 steps in total. There is a little shop on the way and shops at the bottom if you need supplies. Definitely worth a look.

View File

@@ -0,0 +1,64 @@
[TOPIC] 22
[Stats] N=60 | Source=../data/original/reviews.tab
(1) lempuyang temple has a good view because of its position on a hill, unfortunately the place is quite hot and crowded for people to take pictures so they cannot enjoy the beauty of the temple of Tempuyang
(2) They call this the Gates of Heaven because when you between the two “towers” Mount Agung is smack in the middle.\n\nIf you want your picture taken there, prepare to wait at least 90 mins to more than 2 hours (during peak season) to get your 2 minutes of print-worthy pictures.\n\nYou pay 10,000 IDR before you go up the temple. They will lend you a sarong at the entrance. Menstruating women and babies below 100 days are not allowed entry into the temple. Shoulders need to be covered also.
(3) Look the temple is good and can have stunning views but be prepared to wait hours to have your photo taken.You arrive and fork out 45000 each for the shuttle bus to take you to the next stop where you fork out 55000rph to be kitted out with a sarrong and in my case a scarf to put over my shoulders,Its stinking hot and this must not be removed whilst in the temple area.Walk up the hill to the temple and receive a numer to get your photos taken.We arrived at 260 and we were number 333 so we didnt wait.It was late in the afternoon and we had been travelling all day.We actually paid 20000rph down at the restaurant area for photos upstairs and they were great.Would love to try and get the mirrored photos at another time but the wait is hours and if the clouds are in there is no view of Mt Agung.Morning would be best but still expect a wait.Very commercialised Im afraid and be prepared for a long wait for photos
(4) Overcrowded attraction with everyone trying to get THE photo between the gates. Have to pay 2-way fee for special vehicle to go up and down the hill from car park. Then pay again for entrance fee and sarong rental. The colourful sarongs make good photos. Its 2.5hours drive from Ubud and for what it is, well only visit once.
(5) Today I visited the Lempuyang temple (so called: Gate of Heaven). Is a nice temple but tourists only have access to the Gate and can take pictures there. \nIf you want to get one pictures you have seen on insta you need a lot of time. Especially between July and August there is a long waiting queue where you have to wait between 2-3 hours. The pictures himself will be then done by locals with your phone or foto (you give them a tip)...\n\nIts recommended but it takes sooo long (also if you want a picture of the Gate himself only)...
(6) This review is about our own experiences while visiting Lempuyang Temple in Karangasem Regency, East of Bali.\n\nLempuyang temple is the one of the oldest and the sacred temple in Bali. We drove almost 3 hours from Denpasar. The location of this temple was in uphill with some challenging routes due to its proximity up the hill.\n\nReached the main entrance, we had to used sarong to respect the culture. The rental fee for the sarong was IDR 10.000 per person and then we had to give a donation as our wish in any amount. I believe this is not a scam or underwhelming.\n\nHaving a tourist destination that offers you a great view of Mt. Agung especially in Bali, is a great opportunity. Your donation will help them with a better facility or even for their ceremonial.\n\nTaking up the stairs from the entrance, you will find a temple that we shouldn't enter. Taking other stairs you will find the Lempuyang Temple that people were often taking a picture. This area was known as \Gate of Heaven\".\n\nPlease respect the culture in here and beware of your behaviour. This is a sacred temple. People were lining up to get a picture in this \"Gate of Heaven\". The locals will help you to take a picture. Donation in here is not a scam. They didn't put any amounts for donation, but a lot of people give them a donation.\n\nOh, by the way, right after you entered the gate of heaven, on your left side, they will give you a holy water to purify your mind and soul. This is what I've called as heaven!\n\nRespect their rules inside the temple.\n\nBelieve me, it's really worth and good to visit.\n\np.s. The view depended on the weather. If you get clear skies, you will get the view of Mt. Agung."
(7) You pay 100k to go there, you get a number for your turn to take a picture. You wait for 2-3 hours minimum. Theres nothing else to see there. No information on the temple or the religion, no ceremonies, nothing. Just 3 hours of waiting for your picture and then you leave ✌🏼
(8) Ill try to add something new to the current body of reviews but concur with many of them.\nLengthy drive through at times terrifying traffick. \nLong, long wait times to get the Instagram photo at the Heaven Gate Temple. When we arrived at 10.40am the waitlist was at no. 148, when we left after 1.5hrs we still would have been no. 102 inline. The problem according to our guide is that groups are allocated the same one number. So a group of ten might want to have 10 individual photos then any number of other configurations of the group. \nDisappointment to find that that the photos in the tourist guides have been photoshopped. There is no water reflecting the serene view of you against the Gate and the Volcano in the background. You could try creating your own pool after waiting for the required 4 hours in line.\nTourists who are not of the Hindu faith are not permitted past the top of the stairs leading to the temple. I have no problem with this, but it makes a Temple visit impossible for all but Hindus, so I suggest the Tour should be renamed. “The long wait for a bogus Instagram photo and Heaven Gate Temple stairs tour”. I will forward this suggestion on to the Bali Tourist Information.\nThe view, however, is marvelous. We had glimpses of blue sky and feathery cloud crowning the volcano in the distance which was issuing forth the odd puff of smoke. Just for a few seconds you could dissolve into the beautiful vista and understand why the monks created the Temple and the significance it has to the Balinese. Maybe they should boot out all the tourists and reclaim it as a National Treasure.
(9) Instagram worthy for the photos taken at the Gate of Heaven and seeing Mt Agung for its backdrop. Picking a sunny day is perfect but hot ; a rainy or cloudy day is cooler but you may not have the Mountain behind. We got lucky : it rained but cleared after the one and a half hour wait for photos at the gate 😉 \nTakes two hours and a half to get there from Kuta and there are some beautiful rice fields on the way up the mountain.
(10) We were planing to be there at 9am but our driver got lost on the way so we arrived at around 10:30 instead. The place was crowded by then which ruined the whole experience. \nThe line to take a photo with the two gates was ridiculous, we queued for almost 2 hours. And in the end all we got was 3 pictures that look the same. If you wanna have a variety of photos taken have someone you know take some shots while the assigned photgraoher from the temple is taking urs. \nIt was for sure an exhausting day. The Temple is 2 or 3 hours drive from Ubud. Not sure if I would recommend this to anyone.
(11) The temple is up a steep bank which can be quite a climb. You are given a sarong at the bottom of the bank and these must be worn at all times. There is the odd stall selling fruit and souvenirs on the way up. Once inside the grounds you need to pick up a ticket if you wish to have that \iconic\" picture. The wait time we had would have been 2-3 hours had it not been for the generosity of a young woman who gave us her ticket. When it is your turn to have your picture taken they will take them of your group together and individually, hence the long wait. You are also expected to tip the photographer."
(12) We opted to visit Lempuyang Temple because of the numerous images we had seen online of the amazing Heavens Gate! We were staying in Nusa Dua so the journey to Lempuyang took well over 3 hours. After a short uphill walk to the temple we discovered that there was a 1.5-2 hour queue to get your photo in Heavens Gate! (Not mentioned when we were sold the trip). Please also note that there is no water in front of the much photographed gate. The photos are fakes produced by a skilled local and a mirror! The rest of temple is a pretty stepped structure with numerous intricate structures. We didnt fancy queuing for 2 hours for a faked photo so decided to walk further up the hill to the second temple. The second temple is visually disappointing and we were shocked that the route up was bordered by piles of rubbish! \n\nIf you like queuing, faked photos & litter this is the temple for you! Otherwise Bali offers many alternative temples to visit that are far more impressive and more easily accessible!
(13) First of all: this is a climb. And a steep one. You have to pretty fit to enjoy it. I didn't count the steps, but suspect it's somewhere around 2000. And the second to last temple (in total you will find 6 temples from base to top) is well in the clouds. The view on Mt. Agung on the left is amazing, while on the right the clouds hide the jungle and sea... We climbed the Pura Lempuyang Luhur during Galungan days, so it was really busy with all sorts of families, young and old, bringing offerings and praying at each individual temple. Don't skip the main path on the way up. Take the short cut on the way down... It takes quite a while to climb the stairs all the way up, but it is so worth it...
(14) I was really excited about visiting this temple, since it sounded very poetic being a 7 temple complex on top of the mountain and needing to climb 1,700 steps to reach the temple at the top. However, we only found out about it from the local people and I haven't done my research on it... Which led us to arriving at the temple not knowing that it will take about 2-3hours to get to the top and half that time to go down. Silly me!\nUnfortunately, we only had enough time to visit the 1st temple, which was only about 5min walk from the entrance. Feeling totally gutted about not going to the top, especially seeing amazing other traveler photos. Morale of the story? :) Set yourself a good half day and definitely do it, if your health allows you to :)
(15) We visited Pura Lempuyang as part of a day driving around East Bali and it was well worth the visit. Unlike other temples, there were no hawkers touting their wares, and we only encountered a handful of Westerners whilst walking up to the temples. The first temple is the largest but I would recommend continuing up the hill and the 1700 steps (bring water, but if you forget there are stall located at convenient points on the way up) and visiting the others. Unfortunately due to time constraints we were unable to visit the one on the summit, however, I think my legs had probably had enough doing the other five! The views from the different temples were fantastic, particularly when the cloud cover moves away from Mt Agung.\n\nThis was one of the highlights of our Balinese trip and I would recommend that it is considered as an alternative to some of the other temples.
(16) Look the temple is good and can have stunning views but be prepared to wait hours to have your photo taken.You arrive and fork out 45000 each for the shuttle bus to take you to the next stop where you fork out 55000rph to be kitted out with a sarrong and in my case a scarf to put over my shoulders,Its stinking hot and this must not be removed whilst in the temple area.Walk up the hill to the temple and receive a numer to get your photos taken.We arrived at 260 and we were number 333 so we didnt wait.It was late in the afternoon and we had been travelling all day.We actually paid 20000rph down at the restaurant area for photos upstairs and they were great.Would love to try and get the mirrored photos at another time but the wait is hours and if the clouds are in there is no view of Mt Agung.Morning would be best but still expect a wait.Very commercialised Im afraid and be prepared for a long wait for photos
(17) We went up to see Mt Agung, and even though it was muggy and cloudy (we couldnt see the Mt) it was still breathtaking to see how high we were and experience the beautiful temple. \nIf youre up in the area it is well worth the trip especially on a sunny day!
(18) We drove from Ubud to here which was 2 hours and we left in the early morning to skip the crowd. It was foggy but better than waiting in the line we saw once we got back from the hike. Its your choice but theres 7 temples. We saw 4 temples and went to the top (the other 3 are a path that splits off and makes a loop and then continues into the main path). There was A LOT of stairs but youll feel great about how many calories you burn! I counted 9,444 steps from the first temple to the very top and back. Along the way are many little rest points where you can buy water and snacks. You must wear a sarung, something that covers the shoulders and good shoes if you do the hike. We also saw monkeys on the way!
(19) You start by paying entrance fee and make sure you have sarong and sash or rent them. You have to keep them on all the time! The first temple is very beautiful and the gate is used, looking backwards, for Gunung Agung pictures. Then a walk or motorbike ride to the beginning of the stairs to the top of the hill Lempuyang. It is a quite steep climb and hot, so start early. Close to the top there is a temple, and on the top another one with the obligatory monkeys. If you started early you will have a great view from here, otherwise it might be clouded. Take other stairs to go down and visit another temple, with also great views and photo opportunities. Then back to the parking lot. It will take you half a day. Refreshments are sold on many spots during the climb. Highly recommended.
(20) If you could only visit one temple in Bali, please make it this one! Pura Lempuyang is just stunning. The long journey from Ubud was so worth it but do make sure you get a good car because I got carsick because the car we used was not maintained well and the back seat was so bouncy. I got massive headache but thank god I didn't vomit and had to take a little break when we arrived the temple before starting the hike. \n\nThe views...OMG from the moment we got off the car, we could already see mighty Mt Agung from the carpark. We're so lucky and blessed to have such fine day that we could literally see the peak of Mt Agung. No clouds whatsoever. Crystal clear sunny blue skies. Our driver who visits Lempuyang often said good weather like this was very rare and even he felt very lucky to be our driver that day cos then he got to see all this too himself. The weather was so clear that when I got to 4th temple, I could see Lombok island.\n\nThere are 7 temples up the slopes so you need to hike many many stairs. Therefore, general fitness is required because the stairs could be gruelling. Start early to avoid the heat. I climbed only up to 4th temple and this took me 3 hours. I am a slow climber and stopped all the time to take pictures. But hey it's not competition. Take it slow. Enjoy the view. If you want to climb up to the top, you may need full day but every step is worth it. When I was there, there were lots of locals having praying ceremonies because of the full moon. So my experience was even more special cos I got to see all their cultural ceremonies and listened to their peaceful singing/chanting. The nature in East Bali is definitely much more intact and real than the rest of Bali. This is real Bali. And we plan to go back one day to explore East Bali.\n\nRemember there are monkeys along the trails and they could be dangerous (so I heard) which is why you have the option to hire a guide who will carry a stick to take care of you just in case there's monkey attack. I personally recommend hiring this guide. It's only paying a little bit extra and it's not that expensive at all. But thankfully, the monkeys I met were quite calm. But I heard it's the monkeys at higher temple that are really aggressive. \n\nAnyway I felt extremely lucky that day. Beautiful temples, amazing weather and at the same I burnt lots of calories too :-)
(21) We were too sick to go diving in Tulamben so we decided to visit Lempuyang. It is 6(?) temples on a sacred mountain. If you're health enough to do the entire thing, it's more of meditation on getting over the physical stress of a 2km walk then 1,700+ steps. You can pay 10,000 (?) for a motorbike ride on the 2km portion. \n\nThe hike is hard. But you'll stop complaining once you see that all the porters are women older than you and they can carry sacks of soil on their heads to a construction site on top of the mountain. We stopped complaining after that. The entry fee is a donation (we gave 50,000 for 2 people). We were also glad to pay for a guide who happened to be a village priest (fee 200,000). He explained the history behind the temples and Hinduism in Bali. It was worth the price. The whole trip took about 4-5 hours. Bring lots of water or buy some at the entrance. As in all temples in Bali, wear a sarong or long pants (no shorts).
(22) We left Legian at 5.30 and drove 2.5 hours to see the famous gates. Our reason for going was to get a great family photo. I was a little disappointed at the wait times (3.5 hours from arriving) and the lack of information available regarding the history of the temple. \n\nYou need to pay an entrance fee, sarong hire and photographer donation. I'd suggest this money is used to provide something to do while waiting for the pic. Our kids were getting pretty restless. \n\nThe GoH is now Bali's most popular tourist spot, expect to wait a long time! We knew all this before leaving and suffered the queues regardless. But, we got our family photo!
(23) The place is serene and has a calming effect. It doesn't require an entrance fee, but just a donation of any amount. Has 3 levels - the penataran, telaga mas (30 mins' hike up), and luhur (another 1.5 hrs from telaga mas). But most people would settle for just penataran, which has a killer view of Mt Agung on a clear day. \n\nThis place is far and remote, and not accessible by huge tour buses. That's why you do not see hordes of tourists here and that's also why it is my favorite temple in Bali. It's worth the journey to come here.
(24) One of Bali's most famous temples! Surprisingly, not as crowded as the other temples, so you are able to get a great shot without photobombers. Depending on your level of interest, under an hour should be more than sufficient. Do make sure to be visiting another site nearby to maximise your long travel time here.
(25) Long journey to lempuyang is worth it, nice view with gunung agung as background. The pura is like on the cloud. \n\nThey are several pura in one area but you need good stamina to hike till the last pura.
(26) If you are after the photo with the mirror you will get what you want but i strongly recommend as other also said to come early. With my girlfriend we come at 8 am thinking that we are early but we were still waiting about 3 hours to get our turn. Everybody gets 3 poses and also 3 poses for couple or group. It is not true as someone here said that the photographer is charging you money to get the photo. You can tip him but it is not neccesary and no one will say anything if you wont tip him. So if waiting in the line to get the photo is not for you than skip the first temple and go to next ones located uphill(quite a walk), locals also offer to drive you up with motorcylces probably at some cost.
(27) Beautiful tourist attraction and well worth seeing. This attraction is a bit far out from the location we stayed at but combine it with a trip to Tirta Gangga nearby and you will be glad to have made the effort. Day we visited was very busy and large queues formed to get photo taken at the \gates to heaven\". Entry to temple requires a sarong to be purchased at a small cost if you don`t take your own. No buses or taxis are allowed to use road to the temple entrance, therefore you must rely on sitting on a moped with driver to get to the top. Again a small fee is charged for transfer. To avoid a long wait we decided to take photos ourselves. Very enjoyable visit."
(28) It takes 2-3 hours to get there from Ubud, depending on traffic. Visit in the morning if possible. We went there about 11:30-12:00, because of a traffic jam on the road. Bring sarong with you. \nIt is still not that busy like around the other famous sites of Bali. There were less than 10 people around the gate (it is located in the area of the first temple, easy to find). There is a young man who gives blessing to all visitors and he was so kind to take some pictures of us. It was cloudy, Mt Agung was in fog, but the temple is very much worth a visit. Really beautiful. Highly recommend.
(29) For those who love adventure and dare to deal with nature, this sacred mountain will be a great place to visit.\nAs the highest mountain in Bali, you can enjoy a breathtaking panorama and see the other mountain in java and lombok island.\nUsually there are two ways to reach the top. You can start from Pengubengan temple or Pasar Agung temple.\nIt was awesome!
(30) Waiting (1h+) in line to take a picture is just sad. I would recommend to go up to the second temple all the way up! Around 45 minutes up (1200 steps), but worth the view (go just before sunsets)!
(31) We did hike to the very top of Pura Lempuyang temple and have to agree that the first two temples are the most beautiful ones.\nThere are so many temples in Bali, this one gave us a chance to explore without the crowds nor pushy sellers.\nIt was nice to see the whole complex, but quite awkward to wear the sarong the the whole time and to hike in them.\nThe monkeys are aggressive, but also smart, we had a small stick in hand and whenever did not feel comfortable around them, it was enough just to show the stick and the little guys walked away.
(32) Apart from a 3 hour wait to get an amazing photo, this is a beautiful place to visit. The views were absolutly stunning and hearing the history of the volcano was amazing. \nWe spent some of our 'waiting' time at a little shop outside of the temple entrance which made a delicious spicy rice and chicken dish.
(33) its in the morning/ before afternoon. If you come later sun able will only allow you to take picture of silhouette of this mazing gate and mountain in the background. \n\nIt could be a challenge, but all depends how you going to get there...we were brought here but local driver. I have to say drive was challenging for him. Its very steep. Car park places are limited, and any manoeuvres require good driving skills!\n\nWe had a few steps to go up. Stopped for a minute to watch locals preparing food for Gods, and offering.\nTemple really makes great impression. Black made of volcanic rock. \nWhen we get through the gate we were blessed. \n\nThere is not much to walk around. Only few steps to go up and see top temple, but we are not allowed to go there its only for people who pray. \n\nBut to come here and see the temple, gate and the view will not disappoint you in my opinion.
(34) I wanted to visit the temple because of that famous shot of the Gate of Heaven. We left Ubud with our driver, Ketut around 9am. It was a scenic ride especially when you are not too far from the temple and can see the ride fields. I asked him to let me out of the car so I can take some picture of the scenic greenery. The ride from Ubud took just over 2 hours. He drove us to a parking lot and told us that cars are no longer able to go up because of tourists as well as because of a big ceremony that was happening on the day we went. From the main parking lot, we paid very little to get on motorbikes and have the men drive us to the other parking lot near the entrance. There we had to put on a sarong and give a small donation of your choice. Because of the Balinese ceremony on that day - February 21st, 2019, no one was allowed to take the stairs up to the heavens gate and I believe most of the temples were closed, but some were open. We planned on doing the gate and visiting a temple, but after the 2.5 h wait in line to get a photo and due to heavy rain/storm that came right after I had my photo taken we went back down, boarded the motorcycles and drove off swiftly in the heavy rain back to the first parking lot. We had Ujung Water Palace to do next, so drive off, had lunch in the nearest restaurant and then off to the Palace. Luckily, by the time we got to Ujung Water Temple, it stopped raining. I probably will go back to Lempuyang Temple in my next visit back to Bali, because I do want to see the actual temple grounds and visit the Temples. I suggest checking beforehand if there is a ceremony going on the day you want to visit. Also get there early in the morning because it is packed with tourists mid day. I think it would be nice being there at sunrise or sunset. I post daily on Instagram, if you d like to see more photos of Bali or Ubud aside from the ones I have attached here, feel free to check my Instagram @katfuz\nI forgot to mention while we were in line we experienced part of the Balinese ceremony with their Holy Man and his team coming and blessing the temples and people. I have attached a photo of this. I have also attached a picture of the nearby restaurant we went to eat after but I cannot remember the name. I will ask my driver, and if you are interested to know its name, message me.
(35) Clearly one of Bali's highest series of temples... 7 to be exact, which are on a hiking trail with steps. Not for the faint hearted but certainly a great reward at the top. Not easy. Takes between 4-5 hours depending on how fast you want to descend or ascend!\n\nThe views are spectacular. Go early. Start the hike around 8am or 8:30am so you will get a stunning view of Mount Agung at Heaven's Gate and once again at the 2nd highest temple. Words cannot describe!\n\nBe respectful and courteous as this is a much used and sacred temple for the locals.
(36) The Lempuyang temple gate offers the most spectacular location for photos. Arrive early as the queues to obtain the photos become very long, and one could spend over 2 hours in line. Due to the large number of people, photos are very rushed.
(37) Come early or come late to this temple as around 200 tourists are making a line to wait for their turn to make some photos in the Gate of Heaven, the most famous attraction in this temple.
(38) I've only given this place a 4 star because of the magnificent view. The building itself and the temple are historical and it's worth seeing but the main attraction to this place is the picture you can take by standing at Gate of Heaven. That's only if you're willing to dedicate 2 to 3 hours of your day standing in the line. It gets overcrowded very quick and plus no point of going too early cause you want to make sure all the clouds have cleared and you can have the volcano visible in the background. \n\nThe cost to get in is 10000 Rip per person and you're expected to donate a bit more. Not an expensive adventure.
(39) The temple itself is beautiful, but let's face it, the only reason why people go here is for the gram. It's all about the pictures in this temple. From Ubud it took us around 2.5hours. woman are warned not to show legs or shoulders. Although this is said it's compulsory for woman AND men to wear sarongs which they give you for 1000rupiah, so legs end up being converted with that. In regards to shoulders they will also give you a small shawl which you must wear if you have shoulders showing. The temple is run on donations. Be expected to wait!!! Once inside they run on a number ticket service. Once your number is called you can have the mirror picture at the gateway to heaven. But be prepared to wait! Sometimes it can take 2-3 hours depending on how busy it is. While you wait there are other opportunities to walk around etc. It all depends on your patience and how much you want that epic picture, which by the way is over in 3minutes.
(40) The temple is definitely worth visiting as the architecture and the view are spectacular. The trip getting there is also a great experience as you take a narrow and winding road up the mountain. However, leave the hotel very early in the day and be prepared to wait if you want to have your picture taken with the gate of heaven. The system is quite straightforward; when you get your ticket you also get a number for the picture queue. Once your number is up, a curator will take 4 or 5 pictures on your phone.
(41) Forget the same Instagram photo everyone takes. Youll have to sit around for 3 hours to take it. Hike or take a pillion ride on a motorbike for a fee, up to the second temple (the bikers are rough and not too careful). The place where the bikes let you off is not particularly nice but then hike into the jungle about 1 km to another smaller but lovely temple with views to Mt. Agung. When we were there, local folks were making offerings and ceremonies in that temple although we did not take pictures of them out of respect. The views were worth it in our opinion, and we found this a more authentic experience. Note that the hike is mostly paved and not too long but has several portions of high steps, some broken, often with no railings, that we consider dangerous. We saw two young women fall down hard, luckily neither seem injured. We met only 3 small groups of other tourists making this hike, most of the visitors to Pura Lempuyang were waiting for their Instagram shots!
(42) I still can't contain how awed I am after visiting this temple. No wonder why they call it \heaven's gate\". Although I havent had the chance to visit the whole temple (due to time constraints), the whole temple is 3-4 hours tour as said by the local guide. There is no entrance fee here only donation and a 10k rupiah rental of sarong for each person.\n\nHOW TO GET THERE: I suggest you rent a car. It will save you a lot of time and it is worry less! FAMILY BALI TOURS managed by Mr. Gede Bob and our driver was Mr. Agus. They were both very helpful and accommodating. You can contact them on facebook just search Gede Bob. You can also have a side trip at Tirtagangga Temple, Goa Loa and Tengganan Village on your way to Lempuyang."
(43) A beautiful temple with incredible views of Mount Agung and the surrounding lands. A climb to the final temples will take 4+ hours so most tourists go to the first temple and the renown Gates of Heaven. There was a long line for a picture even in Morning but you dont need to, lots of places to still get great shots. Do recommend an early morning visit. Can imagine sunrise would also be incredible. \nLess busy than Uluwatu. You will need a driver to get to it unless you really know Bali. We were lucky as Agung was clear the day we went which is rare. it also erupted an hour after we left :). Definitely a day trip regardless of where you are staying 30Rp entry and sarong required. Not too many monkeys like other temples.
(44) There is a lot of climbing. If you dont like stairs dont make the trip. If you do make the trip then it would be worth it. Down in the valley with rice fields and the river flowing. The temple is an ode to the ancestors of the kings its lovely and the architecture considering how difficult volcanic rock is to work with - is admirable.\n\nIts spic and span not a piece of litter anywhere. A tribute to the people of Bali. Lovely art stores everywhere with coconut carvings, paintings and bone carvings. An excellent experience
(45) I went on Galungan Day and the temple was decorated very nicely. I did not learn until my arrival there that it would take around 4 hours to see all of the temples, so I only saw the first three due to a previous engagement back in Amed. Make sure you use the highway to get there, rather than the treacherous path through the mountain that my GPS took me. It was a spectacular view, and I hope I can find time before I leave Bali to visit again and see the entire complex.
(46) The temples are beautiful, you had to queue up and wait for your turn to have your photo opportunity at Heavens Gate (apparently the most Instagramed place in Bali) no one looked at the magnificent view, just back at there camera. Posing and doing are the latest selfish moves. It was sad really, just ticking off a self at Lempuyang so it can be crossed off. Haha
(47) The photos of Lempuyang Temple in instagram are attractive - however the reality disappointed me. The reflection is made by a plastic board by the photographer there. The third photo showed the real face of the door.\nThere are total 7 temples, but people usually visit the first one only for photo taking. The first temple is very small, and except the door, nothing more you can visit of.\nI have spent over 3 hours for transportation (from Nusa Dua) and queuing for photos. I dont think the scenery really worths 3 hours.\nThere is no direct transportation to there. You have to either go by taxi or book a driver. Also there is no restaurants nearby. Therefore, in my opinion, it is kind of a waste to make a day trip to there.
(48) The temple is really interesting but frankly ridiculously overrun with tourists. We left our hotel at 4:30 am and arrived at the temple as it opened at 6am. We were given a ticket with a number. The number apparently is for taking a picture at “Heavens Gate”. Apparently people can wait as long as 5 hours for their picture later in the day. Also the pictures really look nothing like the actual temple.
(49) This place is not worth the 3-hr drive from Tanjung Benoa. We were picked at 5am on advice from tour company. Temple was packed already at 8am. Tourists are given numbers and when your number is called you can go up for your picture of the gate opening. We waited about 45 minutes to see how fast the line was going and they only got through about 10 numbers. We would have had to wait at least another 3 hours to get our picture. We decided to give up and not waste the whole day. Our tour guide walked us back down the hill a little ways and we paid a small donation to use another photo opportunity spot. Lempuyang is for the Instagram kids!
(50) Wow just sit back and consider the history and hard work that went into creating this highly revered Hindu temple some 1100m above sea level. Alternatively just go straight to the back of the queue to worship the god known locally as Instagram. Some disciples make the trek purely to get the picture and then go again moaning about the costs associated with getting to the temple and up the hill.\nWe were stopping at Candidasa and it still took us over an hour to reach base camp (the car park). Here you are going to have to buy or rent a sarong, or bring one with you. A German girl who arrived at the same time as us was told that her long skirt was not going to cut the mustard and that she had to have a Balinese sarong. There was no negotiation. Then you could walk up the hill to the foot of the temple, though you would have to be mad, or you pay the 20k per person up to the next car park to go in one of the fleet of jeeps. And yes you do pay to come down again.\nBut there is no admission into the temple itself. Perhaps the authorities would be better making a one off charge of say 50k per person and then giving free rides and sarongs. It would still be a bargain.\nIts a beautiful place, and if you got the right weather it would be perfect. There is actually a loop around the mountain that has nine temples. We walked just to the next one and were done in. Shame that it was in a state of disrepair as it didnt spur us on to go for the next.\nIf you are athletic you could make a full day of this.
(51) My guide suggested to visit Lempuyang temple and take the 1700 chairs to access the top temple. It was my favorite visit, each stair I walked with my guide was so interesting. I learned a lot about the temples, gods, meditations, and people. The views you get on the top are stunning.
(52) Mount Agung is the largest volcano on Bali and is quite active past and present. There are many excellent vantage points/lookouts to capture this amazing \giant\" near Besakih. If you visit the \"Mother Temple\", the most important Hindu temple in Bali, on the upper slopes of Mount Agung, be very careful of the various \"tourist traps there. \"Guides\" will try and trick/con/extort significant amounts of money from visitors. $A100 is a regular request !!! If you decide to take a guided tour be sure to be clear about the cost before you start."
(53) Mount Agung is another important site in Bali. The temple, Pura Besakih is on this mountain. You can access it either by hiking or taking a car. Views are beautiful and it is the highest mountain on the island. Worth a visit, definitely recommended!
(54) It was a long drive from Kuta but quite scenic. We arrive early ish at 10 am, but waited 2 hours. \n\nEntry is by donation (sarong is 10k or bring your own), then you are given quick information about the temples, the actual Gates of Heaven is a 10 min step/hill hike from this point. \n\nIt is 4 hours to see all the temples in the complex, but you will spend 2 - 3hours waiting in line to take that gates of heaven temple, depending on what time you arrive.. In the bali sun and heat, staying under the covered shed while waiting, 2 hours goes by fast. \n\nThere were private drivers who came early, and their tourists got breakfast and coffee as they climbed and entered the Lempuyang temple. \n\nSo when you get to the Gates of Heaven temple, you enter after a quick blessing then find the man who gives out the numbers. That number is your line in the queue. \n\nSo you end up waiting until your number is called. There is a photographer on site, a volunteer for the temple to keep things organized, quiet, and also respectful - which is great. So they take the photos for you using your smartphone, they do the \magic\" of the reflection too. You can tip them if you want, but it isn't required, they won't tell you to leave a tip. They are focused on ensuring everyone moves along and also they make sure other people won't be in your photo. As well, they ensure that the actual HIndu practitioners can walk through the Gates of Heaven to access the temple right behind for their prayers. \n\nWhile waiting, you can take photos of the temple right behind, or try to check out the farther temples. \n\nWaiting is really depending on your number in the queue, and also how many people are going to be in a photo per number. If there are 4 people attached to one number, that's going to be around 10 min. \n\nThe village or temple local who takes the photos for your just takes bursts of shots, and will prompt you 'next pose', 'last pose' - English, Chinese, and other languages. They have a megaphone to call out numbers, and also to keep everyone organized. \n\nSo enjoy the moment, enjoy the place, do plan your poses while waiting. \n\nThe walk down is so scenic looking at the plains and mount agung. Enjoy every moment especially when it is beautiful day. You will understand why this was chosen as a place to pray to the gods."
(55) Went for a day tour before the issue of Mt Agung eruption. Amazing temple that located face to face at Mt Agung. Although it took a long time to drive here, but all worthit for a visit to amazing temple. Highly recommend! Please remember, if the weather good you will have a great picture of Mt Agung. Weather permitting! Good Luck !
(56) If youre in Amed must visit to Lempuyang temple , I would recommend staying at a local Home stay or Guest house in the area to make that easy. The locals in this area are incredible! Sunrise here are absolutely peaceful and sunsets can be overcrowded with people, if youre lucky you will get here on a slow day. I suggest going mid week as it seems less people are here.
(57) Lempuyang Temple is one of the temple in Bali Island, located in East side of Bali, around 2,5 hours from South of Bali(Kuta area) from this Temple is the best site to see mount Agung and most of the travelers make a picture in the gate of Penataran Temple (from complex of Lempuyang) where we can see panorama of Mount Agung
(58) After driving about 2 hours from Seminyak, we arrived at a cloud shrouded parking lot toward the top of Mt. Agung, the highest volcano on Bali. From this location, we walked approx. 500 steps through a forest up to a Hindu temple which is almost 10,000 feet in altitude. On that morning, we walked up the steps and thru the clouds past numerous Hindu carvings covered by moss. Along the walk were Balinese Hindu holy men making their way down the mountain. The temple was empty other than clouds, dozens of carved Hindu statues, hundreds of flags and interesting Balinese architecture. It was a very exotic adventure.
(59) Quite hard way to go to this place, make sure you fill up your scooter or car fuel. The road is steep uphill, so you need to be careful. Once we arrived we can find tourist post, need to pay donation and rent sarong for 10,000 IDR (or you can bring your own sarong). You can use guide service or not. And prepare extra battery for your camera.
(60) We booked a private driver (WMP Tours) to take us to the temple.\n\nIt was about a 2.15 hr drive from Seminyak. The temple was not crowded, but still a lot of people.\n\nWe opted just to see the 1st one (Heaven's Gate), but to tour the entire location would have taken 4 hours. \n\nA lot of restroom facilities, food options an souveniers so this is a plus.\n\nThere is a small cost like 22,500k IDR for the entrance and the ride up the hill, and 10k cost for the swing stage pictures, which to me was relatively inexpensive compared to USD. \n\nAt the Heavens Gate, you need to wear a sarong (which is provided to you), a scarf for exposed shoulders (provided to you) and must follow some temple rules - which we followed, but a bit funny, but we get it ( No women allowed if menstruating -that was the first one, no Yoga poses, no kissing, no bad language, etc) We were given a number to take a picture - we were #243 for the photographer to take your pic with your cell phone, but they were taking 2-3 minutes per guest, and about 20 minutes, they called for #108, so we just took pictures of the temple, because we didn't want to stay until Midnight.\n\nWe bought some Indonesian chips and walked over to a Large Swing Area with more photo ops. 10k IDK entrance fee and took pictures. The wait was less than 3 minutes.\n\nThis is a place to visit, fees are minimal, but try to take some small bills for snacks and the restroom (5k IDR). I love my pics the photographer took, so I tipped them 20k IDR each, (Hey, I'm american) but tipping is not required. Actually Heaven's Gate is the \In\" thing for Social Media, but still a great place to visit."

View File

@@ -0,0 +1,64 @@
[TOPIC] 22
[Stats] N=60 | Source=../data/original/reviews.tab
(1) Came here on a Friday and it was busy. This temple is a 2.5 hours drive from Seminyak area around 6am. Once you arrive, youll need to rent a sarong (mandatory at a fee of 10,000 and then make a donation at the stand. When you get to the top, youll need to get a # from the queue and then wait until your number is called. Getting there around 845am, we waited 3 hours and them finally took our picture.\n\nTo get the famous Instagram picture, there are some workers there that take the picture for you, you just need to tip them (not mandatory). Depending on how many ppl are in your party, you will each be able to do 3 poses in a span of 30 seconds or less and then a group pose. After youre done, you literally just leave and go about your day.\n\nDont be fooled by the pictures, there is actually no waterfall as this is done through a mirror reflecting in the camera lens.\n\nIts worth it if you want nice pictures, but if you dont care much for it, then Id recommend to skip.
(2) To take pictures at the infamous gate with gunung agung behind you, you don't need to climb all those thousands of stairs. It was at the second level of the temples so probably only less than 50 stairs away. We didn't go all the way up but if you like hiking and learn more about hinduism and their tradition there, there are guides that will accompany you to go up. If like us, you just want to take pictures in front of gunung agung, then make sure you come when the weather is nice and clear. We came in a cloudy day and got no view of Gunung Agung which was a shame.\nIf you're driving from Amed, there's a shortcut with good road condition to this place. But make sure you drive a good strong vehicle since the road is a bit too high. My brother drove an automatic car with only 1000cc engine and he had to struggle to get to Lempuyang through the shortcut. The main road is easier to drive on obviously.
(3) Arrived around 4 pm - at the entrance, we had to pay for sarongs (for men and women). No entrance fee in itself. \nWomen are asked not to visit when they are menstruating. \nThe temple itself is impressive, but if you want to take a photo at the 'Gates of Heaven', expect a long wait. Especially if the visibility is low and you cannot see the mountains, you can take a picture of yourself at any of the many other similar gates of Bali and noone will know the difference!\nPublic toilets are not very clean.
(4) We visited Pura Lempuyang as a group and had a wonderful experience. The temple architecture is beautiful and varied, the views are stunning, and there are wild monkeys in the surrounding forest! Our host arranged a guide for us who was absolutely charming (whatever his real story is, he gave us a great tour), and we enjoyed every minute. You must wear a sarong, and be prepared for LOTS of steps and climbing, and lots of banana eating.
(5) Woke up 4am just to b early in the Lempuyang temple or the so called Heavens gate. \nwe arrived around 6.30am and we are very lucky as no crowd that time as in we are like number 3 in the que so we didn't really rush to have some photo ops in this place. The weather is very good , cold and relaxing, no entrance fee here but you will give some donations, also you will need to wear some cover if you are wearing sleeveless and short skirt,no payment though. then you will have to walk like 3 mins to the temple and then when you entered the temple there's a girl that will bless you with like a holy water then you can enter and fall in the in the que. There's a guy that's only allows to take photo with the mirror effect., only mobile phone is possible to have that effect. You can also take photos from Professional Camera but that would be just a normal photo. I'm not surprised when i saw the temple as i already knew that there's no water around the temple and its just a mirror effect.its also an option if you wanted to give some tip to the guy who will take your photo with tht mirror effect would be nice if the mount agung is visible fronting the heavens gate.The tour is an amazing and we enjoyed it.
(6) We visited this temple a few days after our little motorbike accident so we werent able to explore much. This temple is located 2.5 hours from Ubud and is near the southeast coast of Bali. We had a driver take us there along with a few other places for 700,000 IDR (49 USD) which isnt too bad for an all day driver. When we arrived at 10AM we realized there is no parking lot here so people will park on the highway that runs through the mountain and basically turn it into a one lane highway. We highly advise taking a tour guide unless you feel very confident in your abilities in maneuvering these narrow roads. After parking we went and rented sarongs to cover ourselves since your legs and shoulders must be covered to enter. They cost 10,000 IDR (70 cents USD) each and there is no charge to enter the temple but you may leave a donation if youd like. There are multiple temples located here although most people wont go past the first one thats 5 minutes from the gate where everyone takes the photo of Mount Agung. Visiting all the temples takes around 4 hours or so. We attempted making it to the next one but due to our injuries werent able to make it. There are hills and lots of stairs to climb (1800+) but there are places to buy snacks and water and also some motorbikes to take you up or down to some points. We enjoyed this temple but wish we could have been able to fully explore everything. We decided not to wait over 1.5 hours to take the picture everyone comes here for because sometimes its best to just enjoy where you are!
(7) We visited this temple on 30th September. There was a lot of anticipation and excitement prior to this visit. We had no issue getting ready by 4am in Kuta. The journey to Lempuyang took appx 2 hours. Our guide, Robert from Bali Robert Customized Tour was awesome.He advised us to order take away breakfast from hotel and yes,the hotel prepared a simple one for us. However, the visit was a let down. It was misty, as such, Mt Agung was shrouded. There was a large crowd despite 6am. Entrance fee was in donation form. We skipped the photo-taking because there was nothing spectacular. Only the two gates visible. We did not make it to upper parts of this temple. I would suggest one to come in noon when Mt Agung is likely visible but one might get queue no of too far behind. Despite the disappointment of this attraction, we enjoyed the cold weather and mingling with other tour guides having local breakfast. It was fun chatting with them w a cup of hot tea. We also decided not to take any photos. 1st timer in Bali definitely would want to visit Lempayung. In my opinion,it was way over rated. Hence, my rating only 2 star.
(8) I spent the day today driving from Amed to Lempuyang Temple and back. It was about a half hour drive and the last part is pretty steep. I parked at the lower area just by the main ( and largest ) temple. Some very friendly guys were working at the gate. 10000 to rent a sari and they ask for an additional donation. The first temple is by far the most impressive. And it is a sweaty walk up lots of steps to get to the top. Many groups of people were around to worship and give offerings. As it seems to be the norm on Bali, a group of worshipers were eating a big lunch and insisted I join. Everyone is so friendly here! The other temples on the trail to the top are small but quiet and make nice rest stops on the way up. Lots of monkeys near the top but they seemed more docile than in other places i have been (not so grabby). It was cloudy at the top and started to pour which was interesting in its own way. The clouds scattered on the way back down and I had a spectacular view of the big volcano from the main temple. This place is worth a visit. My only point for improvemet would be the garbage situation. There is quite a bit on the ground. Take a break from the great snorkelling in Amed and visit this place.
(9) As is the case with all the Bali temples, you are not allowed to visit inside the temple. However, you still need to wear a sarong and a scarf to go inside. The temple is beautiful with 5 dragons - you can't climb the stairs from the middle path, as we were instructed by one of the staff members before we began to go inside the temple. The thing that we found extremely stupid was that people were standing in a long queue just to get a picture clicked with Mt. Agung in between the temple doors. The views of Mt. Agung are GREAT on a clear day. Though it was very hot when we went there, it is a good place to view Mt. Agung. However, you can surely miss the queue since it is just a picture that you'll get after such a long wait. You can get similar picture with few people around, doesn't matter.
(10) This temple supposedly has 7 gates & one must climb about 1500 steps to reach the 7th gate, which is a 3-hour walk up. The first gate is the most popular. We had to wait for 45 minutes in the queue for our turn to click the photos. Due to the long wait, we skipped the visit to Tirtha Ganga.\n\nThe view of Agung volcanic mountain between the gates is mesmerising & worth the 3 hours of drive from Seminyak.
(11) 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.
(12) I've seen a lot of people coming only to take a famous picture between the doors with the Agung behind. But there's much more to see, six more temples, hundreds of stairs in the forest, monkeys, sunrise, clouds around you, and above all a magic atmosphere....please leave the selfie stick in the hotel!
(13) The temple is definitely worth a visit as its a stunning building with amazing views of Mount Agung and the countryside. BUT dont get your hopes up for the photo. We arrived at about 6.30am, we were given ticket no. 136 and when we first arrived they were photographing no. 29. By the time we left two hours later, they were on no. 58 😂 god knows how long wed have had to stuck around to get ours done, maybe another 2-3 hours? Although I enjoyed it, it was a shame about the majority of other tourists who sat around looking miserable, waiting for their pic. Bad vibes.\n\nAnyway, its still worth the visit because its amazing to see. Make sure you respect the rules and culture. Just dont go up expecting to get the photo unless youre willing to dedicate 3+ hours of your life for the Instagram pic!
(14) Started our day out at 6 am to visit this temple from Seminyak. It was about a 2.5 hour drive, when we arrived the place was already busy. You are allowed to bring your own sarong as they must be worn.\nEntrance fee is cheap. The Heavens gate where everyone wants a photo is by number, so get your ticket ASAP. We only waited 1.5 hours for our turn, but explored the area nearby while waiting. It was also fun watching people pose for their photos. You need to give the photographer a little extra and he will reward you with an abundance of great shots. Theres not set price.\nLots and lots of stairs to climb however. Take good shoes and take advantage of the motorbike men who will drive you to the top of the mountain after your photo for only Rp 20 000. Then there are more and more stairs but great views. A fun but exhausting day out. Well worth a visit.
(15) We came as part of tour and kinky for the 1 view. After being shuttled up in a golf buggy from the car park we loaned a strong which is a must and walked up to the first temple. We joined the queue for THEinstagram worthy photo. Thankfully some locals rake responsibility for this which means that people are allowed an allotted amount if time to have the pics taken which keeps the wait time down. We waited over an hour for our turn but the pic was fab, shame bout the view when u finally get to the gate and look down.
(16) The Temple is very beautiful, and the gate is stunning. It is located with the view of volcano behind. There will be someone at the temple to help you take the perfect photos, you can pay them many as you want, we paid 20k IDR. Before you enter the temple, you must wear a sarong. There is no entrance fee but you are supposed to donate a small fee, just as much as you want. We donate 20k IDR for two. We ride a motorbike from Ubud, and it took us 2.5 hours to the temple. We started early at 4.30 am in the morning, arrived there at 7.00 am, and there is already a line queueing for the photo, but short line. After 30 mins, the line is already 3 times longer. You should get there at 7 am if you don't want to spend 2 hours for the shoot.
(17) Our driver told us this is one of the three major Hindu temples in Bali. There is this iconic photo with mountain in the background. So many tourists queuing up for photos at this gate... all the tourists are doing very similar pose... We decided not to do - but got the opportunity to snap a shot of it... \n\nWe left Nusa Dua at 6am, it took us more than 2 hours to get there. The weather is not completely clear, but we can still see the mountains at the back - except that the top was covered in clouds. \n\nat the top of the stairs of the dragon statue, we could see beautiful wide green mountain view... \n\nIt does not take long to finish this place if you do not queue for photo.\n\nno matter what you wear you have to pay for 10,000 IRD / person for renting a Sali - it is local tradition, we were told by the person who leased us the Sali. No entrance fee officially, but you are told to donate - write down you name and nationally on a notebook when you do it... not so sure about these practices... \n\nA bit too touristy. Our driver told us if we left 5am, it would be better...
(18) We had 2 hours walk up to Lempuyang temple and one hour walk down in the beginning of March. It was - luckily - a cloudy day, so walking up wasn't too heavy. Wouldn't recommend climbing up for small children or people with health problems, but the first temple is easy to reach for anyone.\n\nFirst temple was the biggest and finest, but we really enjoyed our walk up thanks to our super nice local young guide. He was friendly, open, very sincere, spoke good english and we had interesting discussions while walking up and back down. His both parents and little sister was also working in the temple and he was able to tell interesting details about the temple, Hindu religion and local everyday life.\n\nThe highest temple was smaller but also interesting and there were some monkeys climbing at the trees. Most of the people visiting in the temple were locals, we saw only two Western couples in addition to us during our visit.\n\nTemple didn't have entrance fee but they asked for small donation. Sarong was mandatory but it was possible for rent for a reasonable price. There weren't any annoying sellers in the temple or around it, which was a relief.\n\nUlla and Joonas, Helsinki, Finland
(19) This was a pretty amazing if exhausting experience. First it's a 2+ hour drive with an experienced driver from Ubud. When you arrive you make a donation to the temple (amount of your choice) then if you haven't brought your own sarong you need to hire one. Then the bit I didn't expect, having to pay a person with a scooter to take you from the car park to the start of the temple (20K IDR each way when we went) - no helmet provided and a winding road.\n\nThen they drop you at the start of the temples, you walk up a steep slope, and if you want the iconic photo you join the snaking line (they were clear that there was no paying to jump the queue). Two to three hours later you get your turn, pay the photographer 1K IDR and hand him your phone. Yes they use a mirror to get the reflection and lake effect - but if you know that is what they are going to do and you want \that shot\" then all is good. You get three poses (helps to have agreed/decided before hand what you want to do) and they will do individual and group photos. \n\nI expected a wait (perhaps not as long as it ended up being) and wanted \"that photo\" so was happy with the result. If you wish to pray you can go up the stairs into the temple itself.\n\nI figure that the donation etc helps support the temple and provides the photographers with an income, and it's just one of those experiences that you MUST do. As with all attractions, read ahead, know what it is all about and what is happening and you can't be disappointed."
(20) I was so lucky when i went to Lempuyang temple, the weather was friendly, not raining. And there was no queuing at all. The tips: come as early in the morning. I arrive there at 7am in the morning and it was the perfect time to take some pictures in the Gate of Heaven, the lightning was perfect. Another tips to get the best shot, ask for help to a guy (he was there) he knew the trick using the mirror. Just gave him some tips. Believe me, you will get fabulous best shots in Gate of Heaven.
(21) Fantastic experience climbing the 1700 steps to Pura Lempuyang!\n\nWe showed up to the site and the peacefulness could be felt all around. Yes, stalls selling things, but nobody to bother you.\nThe entrance fee is by donation and no need for a tour guide. And you won't get harassed by one either! The man at the gate showed us a map of the site, explained the paths and provided tips on how/what to see. And off we go!\nThe first temple is right after the entrance, easily accessible and beautiful. Beautiful spot for pictures. Then, there's a good kilometre walk up the mountain to the second site. You can get a bike ride that way if you don't want to walk it, but we did.\nThen the second site and the beginning of the 1700 steps! The steps are quite steep, we did the short cut and took us about 1.5 hour. Would have taken about 2-3 hours to do the big loop, but we were a bit short for time.\nThere are a few \rest stops\" to sit down and where they sell beverages along the climb. The trick is: slow and steady pace. It is quite the climb and we almost gave up many times, having no idea how far we still had to go, but we made it!\nOnce on top, there's a small temple under renovations, but keep going to the actual summit. Once at the summit, the temple itself is not very impressive, but the views are awesome and the feeling of accomplishment is absolutely divine!\nThe day we were there, it was cloudy and we did the whole climb in the mist, which made the experience even more magical and mysterious. We only met 2 other tourists during our climb, and the locals were great. This is a pilgrimage site for them and they certainly understood our efforts and state of mind after that long climb as there is only one way up! haha! (I don't think too many tourists make it all the way!).\nIt did rain on our way down, we stopped for chicken soup with the locals and that made our day.\nAfter the climb, we stopped to relax at Tirta Gangga and that was another great site we were very pleased with.\n\nI would highly recommend both Lempuyang and Tirta Gangga, but be prepared for a long and steep climb up those 1700 steps!"
(22) Heavens gate Pura Lempuyang is a definitely must see temple here in Bali. Been here a couple of times in my life and its still great to be here to see the temple with the mighty Gunung Agung at the back of the gates. Nowadays its loaded with tourists and people have to get a ticket with number to pose for the gate ( can take hours, for that pic) its in the Karangasem region.
(23) It was a very long ride to reach east bali. The temple is actually like 7 temples connected with infinity stairs. The entrance is easy with not much stairs to reach the main famous temple with the gates of heaven however to take a photo at the gates of heaven you need to wait 2 hours for people so ofcourse I did not care for a photo as it was not worth it. Next to the gates of heaven there are huge statues of dragon like and stairs which is empty and no one cares to shoot them but they were really good. People usually just visit the entry part however if you continue inside you will meet other temples. These other temples can be reached by climbing maybe 1000 stairs (I did not count but they were alot). These other temples may not be as fancy but the view was very good and the hike was enjoyable. If you want to visit all the temples then be prepared for a hike with comfortable shoes.
(24) Pura Lempuyang Temple on the east side of the island and a long windy road to the temple. Walk a little and when you are tired pay the many moped drivers to take you up or down. Take your camera and look at the intricate work and stone carvings. Just beautiful. And to watch ceremonies with everyone dressed up in their best, the flower offerings, and roasted pigs especially around Full Moon Festivities is a amazing to watch and a must to see.
(25) When we reached the parking area, we need to pay IDR20,000/person/way (meaning total IDR40,000/person/return) for the shuttle service to reach the temple. If you drive motorbike, it is possible to reach the temple entrance by motorbike. However, the road is quite quirky. At some points on the way, the sightseeing is super nice with the mountain view and rice terrace.\n\nYou must wear sarong to visit the temple. It costs IDR10k/person. The entrance fee is donation. After the entrance, you need to walk to the temple gate. The road is quite sloped.\n\nThe temple is always packed with long queue because everyone wait for their turn to take photos with the gate. We tried to reach early but still need to queue.\n\nBefore visiting, I wondered why some people could have a photo with reflection, while in fact, there is no lake in front of the gate. Apparently it is a soil surface. It is large enough for you to do or pose whatever you want.\n\nThere is a group of people who are in-charge for taking photos for you. The fee is donation. To have the photos with reflection, they use a black glasses (not so sure material), put above the camera. Hence, you must take the phone cover out.\n\nPlease take note that it could be used for phone only, not for camera.
(26) Lempuyang Temple is located on a hill overlooking Mt Agung, Bali's highest mountain. The views from here are spectacular, and when I visited in August 2015 (high season in Bali), there were hardly any other tourists here - I only saw one other couple. \nIt's worth noting that Lempuyang consists of several temples - the first one, which is within 5 minutes easy walk from the entrance, is the largest, but it's worth taking the time to continue to all, or at least halfway to temple number 4. The distance from the first to the second temple is quite long but easy to walk (flat pathway) - however if you're tired, you can pay a local to take you with a motorbike; I did this as I came here from a volcano trek and had already done several hours of hiking. The cost is very small and this saves you both time and effort - there are still quite some steps to climb before you reach the temple on the top. \nIf you're interested in Balinese culture and the history of the temple, I would recommend hiring a local guide. While the tour of the temples is, in itself, very easy to do alone, the guide was able to tell a lot of facts that added to the experience. It was very enriching to learn about the beliefs, and the symbols used in each of the temples.\nI would highly recommend this temple: it has a very serene, beautiful atmosphere.
(27) The highlight of this insta-machine is the funky sarong you rent at the bottom. After that it's all downhill (which is really steeply uphill) as you make the climb to the gates of hell. On your climb to the photo studio you'll see lavatory facilities on your right for 5000 rupiah. \n\nI highly recommend you dip your head in the toilet bowl after making a good deposit if you want to walk away feeling more enlightened than those vapid attention seekers who queue 3 hours to receive the same overrated photo as thousands of others.\n\nTo all those who come here to pray, I'm so sorry that like thirsty insta-gremlins chose your temple as their feeding ground.
(28) If youre staying in Kuta, best leave your accomodation at 4:30am. Its a 2 hour drive to get to Lempuyang temple. When you get there you pay a fee to get in and to rent a sarong if you didnt bring one. Then you take the steps to the top to get to the gate of the temple BUT better way to get up the top, go around to where all the stalls are, keep following that track and youll walk up a steep hill. Steep but the quickest way to get up. Just gotta power walk for a good 5 (but for me 10) mins! When you get to the gate, chances are youll be in queue for about 2 hours to get a photo at the infamous “Gate of Heaven”! Its seriously a stunning view and a photo opportunity you do not want to miss! There will be someone to take your photos for you, pay him 10000-20000 rupiah and he will take four shots of you. If youre smart, youll go with a tour guide that will hold your place in line while you go take some photos in other areas of the temple. DO IT FOR THE GRAM!!
(29) First, lets start with getting there. Take the main road, do not take the back road directly from Amed. I took a moped through the back mountain pass, it was an adventure, beautiful, but my bike was not powerful enough to make it up one of the hills, that was how steep and crazy the road was. So, assuming you make it the easy way, the temple is great. Admission is 10000 per person (80 cents US) and then you can add a voluntary donation. At least our guy was not pushy about the donation or amount. Everyone will need a sarong so either bring one or you can borrow one which was included in the entrance fee. Now the adventure or hike begins. We did not go to the top, but apparently it is 4 hours or something like that... we were still there 2 or 3 hours and walked to the first main temple and temple 2 which has a nice view. Just in case you cannot tell by now, this is not handicap friendly. You can actually maybe get to the side of the first temple from a road, but then there are steps. Further up there are nothing but steps. I though the walk was fun, scenic, and totally worth it; but bring water and a snack. You will be exerting yourself. They also sell food and water along the way and from a western standpoint it was not a rip off. I'm sure it is still marked up, but 10000 (80 cents) for a soda is not bad. At attractions in other countries a soda can be 3 to 5 dollars. So, take the main road (the GPS will probably do it for you), bring food/water, and hike a ton of steps and get some great views.
(30) My partner and I came from Amed by scooter which took about 30 minutes. Entry is by donation and you get a sarong. We didn't take a guide although one approached us for a chat; but he said it was up to us if we wanted one or not -which was refreshing to hear! Ha ha..\nWe visited all 7 temples at a fairly leisurely pace and was back down in about 3.5hrs. \nThe first temple at the bottom was the most impressive for us. Great view of Agung (although there was some cloud) and the building is magnificent. \nThe rest...well pretty poor. So much litter everywhere (which I thought fairly surprising for a holy area). Some of the temples are being refurbished it appeared and were just messy. \nYou get some gorgeous views as you ascend and it was nice watching a prayer ceremony at the very top. Wouldn't really say it was worth the effort, apart from the first temple.
(31) The iconic pictures don't lie. This is the view you will see. However, none of the temples are actually open to visitors so you will not see inside any of them. There will be a line at the bottom of one of the temples to get blessed and give a \donation\" (you have to pay something) and afterwards supposedly you will be able go up to a temple. There is a man standing in front of the stairs to guard it and point you to buy admission by getting in that line, but the whole setup is very misleading. You actually only go up a few steps and the view isn't great. You could skip this. You will only get outside pictures here, but the scenery is beautiful. Since everyone goes at sunset to get the best pictures, it will be very crowded. This is very much a tourist trap so be in that mindset when you visit. It is about an hour drive from Ubud. Just hire one of the many drivers on the streets of Ubud and do a little bargaining. They will drive you there, wait, and drive you back. They will likely try to take you to other stops along the way but you can decline if it doesn't sound like something you want to do. This is a better option than booking a tour there."
(32) After a two-hour drive from Ubud to Pura Lempuyang…. we simply didnt want to leave!! The long journey was worth it; the views, tranquility and instagramable photos were to die for.\n \nWe arranged a tour with Ubud Area Tours to get us to Pura Lempuyang, and they strongly suggested that we should get there early. At 6am, our driver came to pick from Desa Visesa and we started our 2hr journey to the temple. On our way, we stopped to allow a ceremony to pass by, but it was a beautiful sight to behold. As we drove up and up to the temple, we could see Mount Agung in all its glory, we even stopped at a view point. We took a small van/truck in the parking lot to get us up to the temple, and after giving a donation and getting a sarong, we made the short walk to the first temple. The dragon staircases are so intricate and beautiful (visitors cannot walk in the middle staircase). There wasnt a huge crowd at 8am so we simply had to stand in a small queue for 5 minutes before handing over my phone to grab some shots at the Gates of Heaven. For a small donation, a guy will take photos for you at the gate with a mirror to make the photo look reflective. Get there early and youll have a great time visiting the temple!
(33) Lempuyang was on my list before I started realizing that it had become very popular for Instagrammers. I visited other temples in Bali and cherished the spiritual peace and solitude of those places. This was different, and gave an interesting perspective on the flexibility and hospitality of the Balinese. Lempuyang is a beautiful temple, and I'm sure before the IG flood it was just as peaceful and sacred, but now, it felt like a Hollywood casting call. Not sure when the hordes started, but the Balinese adopted a structure to try to please the many tourists that want those infamous photos between the Gates of Heaven. I knew there would be a line and I knew there wasn't actually any water on the ground and reflection. I wasn't committed to getting photos here, but coincidentally we ended up staying quite close to Lempuyang so we got up early, arrived before sunrise and took our chances. We still had to wait about 1.5 hours to take the photos, but that wait provided an opportunity to wander the grounds a bit and engage in conversation. As soon as the sky lightened, two people started the organized progression of photo-taking, putting cell phones in the box to create the famous reflecting photo that everyone wants. They do this for no charge, even in the rain, for a donation. While these crowds have shifted the typical experience of a temple, I enjoyed experiencing this as an extreme example of Balinese hospitality and was grateful they accommodated the crowds with such grace.
(34) I just went here today and I didn't realize what I was getting myself into. It costs 50,000 rupiah to get in and no guide is required like Pura Besakih. before you start your journey, the staff will show you a laminated map, I recommend taking a picture of this map if you don't have a guide. They will tell you that you may get lost and wonder down to the village but I was fine without a guide. I made the trek on the pavement (you can also hire a motorcycle to take you to the first steps) and I was able to make it to the very top temple (1,700 steps). This temple was not crowded at all but it is not for those that are not very active. The first temple was an amazing site and you will go up the paved road from there to make your way to the second temple. I don't recommend taking young children on this trek as you will climb 1,200 meters in elevation. It was quite a journey up, the elevation definitely added another element to the hike (I am a pretty active individual). It took about an hour up then another 1.5 hours to the top. The steps are rocky and some parts of the stairs were badly deteriorated so I don't recommend flip flops. I made the mistake of hiking in sandals, I would recommend tennis shoes or hiking sandals. I started a little after 11 am and ended around 2:15 pm. Take bug spray and sunscreen as it gets hit and humid during the day. We came across the macaques monkeys who were going through the trash bins. Find a large stick and don't look them directly in the eyes and you will be fine. They aren't aggressive like the monkeys in Uluwatu. Lastly, being lots of water to stay hydrated. They do have stands selling food and drinks but they are scattered throughout the trek. Reaching the top felt amazing and I highly recommend coming here!
(35) The best place to see Mount Agung. There are 7 temples in the Lempuyang Luhur Temple complex, it takes approximately 4 hours to explore all the temples. The most visited temple is Pura Penataran Agung where the gate with the Mount Agung background is located. There are several things that might be considered:\n1. There is no entrance ticket, there is only IDR10K sarong rental per person and just pay donation as your wish.\n2. The queue for photos on the gate is very long, so consider your time if you want to take pictures at the gate. Coming in the morning before 8 is the best option if you want to take a photo at the gate.\n3. If you join the queue, you can only get 5 shots with the photographer provided from the temple administrator, maybe the results are not what you expect. Maybe It's better if your friends take your photos, while the person is told to shout \next pose\". As a photographer, I only believe in the shots of people I trust.\n4. It is better to park under a banyan tree near the counter to rent sarongs and donations. If it is a full parking lot, do not believe it if someone says the parking lot is full because some people use this method to use motorcycle taxi services. I saw how they said the parking lot was full when the position of the car was still too far from the temple while I from above saw for myself how the parking lot was vacant above.\nBe a smart traveler and enjoy the beauty of Indonesia!"
(36) My favourite temple in Bali. It has the gorgeous backdrop of Mount Agung. You only need to go to the first level for amazing picks.
(37) I visited this ridge-top temple with a guide from our hotel during Galungan celebrations. We walked there from a neighbouring village so avoided walking up the 1700 steps (did walk down them though!). It really is a fantastic temple divided between the larger,more ornate temple at the base of the ridge, a middle temple half way up the 1700 steps, and then the top temple on the peak. We went in the late afternoon for sunset, which was spectacular over the mountains to the west. Make sure you wear a sarong, as required to visit Balinese temples, and be careful not to trip over it on all those steps! No touts and not hassled anywhere during our visit. Lots of locals expressing their devotions or going about their business or a bit of both, all in all a great place to visit.
(38) I worked as tour guide and driver. Today, i just visited this temple with my customer from Canada. To be honest, i never been to this temple before. I live in Bali but never been here. It is so silly. But lucky for me, my canadian ask me to take them to this temple because they saw the picture on the internet very nice. When we get there around 3 pm, the weather is so nice. People in the donation counter he so polite and very warm. He explain us how many temple we able to vist. In total in this complex it has 7 temples. The we go first to the first temple. First temple was very nice, the gate is increcible with the mount Agung view at the opposite. My customer they would like to see another temple which is need to walk around 30 minutes to the second temple and another 30 minutes to the third and fourth temple. We decide not to go to the top temple known as Luhur Lempuyang as the distance we need to walk around 2 hours. We think we don't have enough time. Because we don't know the way to get there then we decide to use the local guide by pay some extra money for them. Our local guide is a girls 19 years old. I forgot her name. We walk and a long the way she explain many things about the temple. The small road to get there is nice with vey beautiful view of jungle around and my eyes keep looking the mount agung. After less than 30 minute we artived to the second temple. Take a rest a little bit and we continue to the next temple. The third temple and fourth temple are close each other. From the fourth temple the view even better. Wow, \we are nearly to the heaven i said.\" We love it so much and my customer either. We spend a little time to enjoy the view and ready to go back to the first temple. We get there around 6 pm and the sunset is very nice. One of the best i have ever seen.\n\nI really recommended this temple to visit for all tourist who have a chance to go to the East Bali or if you stay around here."
(39) This is my second time to visit Pura Lempuyang. Apart from the annoying ojat and donation guys, this is one of the best places I've visited in Bali. Remember to bring your sarong, waters and hats. \nThere are several temples on the way up. Try to get there by noon. In fact, as early as possible to avoid the heat and spend more time enjoying the views. The stone statues outside of temples are amazing. Long white dragons with sharp teeth. On the road, we can see monkeys and unknown orange fruit. There are always a lot of local Balinese come to this temple for worshiping. This is not a touristy place. Balinese here are friendly and sometimes would like to invite you to sit with them. Usually, in other places, such as Ubud, people invite you to sit in the temple and the next thing is to ask for donation. But in Pura Lempuyang, that doesn't happen. On the other hand, several young man came and introduce what they believe. What a lovely place. \n\nThe view. The view. The beautiful view. See the Agung just in front of you. Sometimes with white scarf and sometimes it was covered by the cloud. That's why you should come here earlier in order to stay here longer to see Agung. For the ocean part, you can see the islands and the south part of Bali. Watch out the monkeys.
(40) I would say the main reason for visiting this precious site is for the views that it offers. The Lempuyang temple itself is not that spectacular to be honest. From the walk to the main temple you cross a few smaller ones which are OK for the stops in between on your path to the summit. Take lots of water and sunscreen for this trip.
(41) If you have much time, you can hike for 4 hours including both going and coming back! But you could just go to first temple famous for instagrammer in 5 min walk!
(42) Visited the temple and most tourist if there are any, visits up to temple 2 only where you ll be able to take in a great view of Mt Agung..a bit far though from Kuta. Took us about 2h30mins..
(43) A must-see on your visit to Bali, best viewed from Penelokan village. Amazing views! Glad we didn't visit Mt Agung as it was covered in clouds. We travelled by taxi for the day from Ubud, cost R350,000. This covers about 6 hrs travelling as we left at 9am returning at 3pm.\nThe nearby temple in Kintamani is not all that great and is very touristy and commercial in my opinion. They have a very high entrance charge, and then also charge an extortionately high price for your 'rental' or purchase of the required head dress and sarong.
(44) This place has a very great view. The access to this temple is quite hard. Its isolated and far from the main road but its worth. The view of mount agung is magnificent and the picture taken from the gate of the temple really good. You only have to donate to enter this place. Its really worth
(45) This temple is famous since mount Agung gave a wonderfull scenary. We have to drive for 3.5 hrs from the airport, then walk up to the main gate. Woow... Yes, it worth!!! I love nature, it's a really amazing scenary, thanks God, I was there!
(46) I paid four visits within five years in Bali for holiday making, my driver Jaya told me that it was difficult for him to include a new scenic attraction to my itinerary. At last he chose Lempuyang temple (Gate of Heaven) as substitute. We started our journey at 6 a.m. from Leigan because it took three-hour ride and tourists might flood in after 9 a.m. As no takeaway provided by the hotel, early birds should take their breakfasts in mid-way.There was no parking lot on the hilltop outside the temple, then all vehicles simply parked along the steep slope. At the entrance, every tourist was required to fill in columns as record and handed in a donation as fee was waived, only wearing sarong was a must. At the brick-built terrace, there were three rows of tourists all lining in a queue to wait for shots patiently. To my guess, I ought to wait at least three hours for my turn. There was only an open space in front of two gates as backdrop without any pond in sight, then how about the reflection of water in those photos that we were familiar with ? The answer was simply magical tricks by using a mirror. Tourists all posed as token, for example if two lovers on spot, the routine snaps were standing back to back, holding hand in hand, jumping into the air, then standing backward with both hands pointing to the sky. All preparations went for nothing as various poses became mechanical. Standing behind the assigned photographer that taking photos for tourists and by using the time slot, I took several shots without any waiting. Down to the slope outside the jam-packed terrace, there was also a newly-built semi-circle pond with stepping stones in front as backdrop, tourists could easily take shots, also free of charge except donation required.
(47) I have read many reviews of this temple but none really provided details so I thought I would write up my experience. Firstly my hotel was in the centre of Ubud city so I hired a driver and the drive there took about 2.5 hours starting at 9am. It's a long scenic drive with a steep twisty climb up a mountain. There is no entrance fee but you can give a donation. You do have to rent a sarong at 10kIDR each though. Tip - try to get matching sarongs for your photo later on. Once inside there is a steep walk to get to the main attraction which is of course the famous gates. Once there you take a number which determines when you will be called for your photo. You can wait in the shaded area and enjoy yourself watching others pose quickly for their photos. We had to wait over 2 hours. You give your cellphone to the professional photographer once your number is called and he takes pictures in various poses quickly. Note this is completely free! You can give the photographer a donation. Then a quick visit to the actual temple and off you go on your long drive back! Well worth it as the views are spectacular but you need patience for the day. Enjoy!
(48) You need to arrive early. We left our hotel at 6 am in Nusa Dua, arrived at 8.20. We were given number 115 for the photo shoot, 69 being called. Waited 2 hours in which time we could decide what pose to strike. You get 3 and a jump. Also the same for couples/group pictures. A temple attendant takes your camera and uses a mirror. If you are relying on your pictures for a living check the weather, cloudy day for us. Still an unforgettable experience
(49) It was around 3 hours drove from Legian area (no traffic at that time & we were lil bit lost). Recommend to drive with a manual car since the Temple will be high up there. \n\nWe came when the pandemic is still going on and it was sooo quite. We arrived around 10.30-ish and we got ticket no. 7! The ticket is our turn to take pictures. We were surprised because it usually already crowded & a lot of people queue since early in the morning. There were only some of locals that took pictures before us and less than 5 minutes we already had ours. \n\nIf you love photography then this temple might be for you. Who doesn't know about the famous gate with Mount Agung as the background? However for those who love to explore there is not much too see over here. The higher temple is off limit. Only for people who come to pray. Correct me if I'm wrong, there are 3 areas. 2 lower area also for praying.\n\nIt was kinda not worth it because we paid IDR 50,000 / pax for domestic. Maybe its a new price because of this pandemic? The plus was since we were the only visitor as a \tourist\", we could take pictures as much as we want without time limit.\n\nBtw, the temple is not as high as what people say. We only walked around 5 minutes."
(50) Lempuyang Temple Located at Mount lempuyang take about 1:45Minutes from Ubud, has beautiful View Call: Gate of Heaven. Before go there please check the weather to have good moment of photo
(51) Beautiful scenery, but your going to need to be there by 6am. It gets super busy here as everyone wants the ideal photo standing between the Gates. The backdrop is Mount Agung and normally at 6 am the locals line up the tourists and then 1 by 1 take the photo for you and yes there is a tip involved. It can take a long time getting people through, just saying. My photo was taken at 5.30 am we didn't stay for the sun to rise further. The gates are the first temple there are another 6 higher if you want to walk up another 1700 stairs and let me tell you its steep walking. \nFrom Sanur it took 2 hours just to get there, if your bartering on the street for transport to get there i suggest you ask yourself what you would pay yourself an hourly rate, these drivers do a good job and these roads are not easy. Good luck and safe travels
(52) This place is the saddest tourist place I have ever been. Literally hundreds of girls dressed up just to take the \perfect shot\" at the Gates of Heaven for their social media pages. If you want the typical photo standing in between the gate with Mt Agung in the background be prepared to wait in line for 2-3 hours. Note you can pay a local guide to stand in line for you. Also note Mt Agung seems to be covered in cloud most of the time so there is a chance you still wont get the perfect shot. \n\nTip: If you are willing to forego the classic photo you can go behind the gate (the front part of the gate) and take photos were there is literally NO ONE lined up. You wont have Mt Agung in the background but you still have the gate in the shot and save yourself 3 hours."
(53) So, to take those iconic photos of the temple gate with mt. Agung scenic view as the background, you obviously have to take the line. And you can't take photo by yourself/even ur friend as photographer. It has to be the locals who's on duty for the temple, because we can't go to long as the line is very long. And all of our photo were tilted. Not just slightly, but obvious. Well, they'd be sitting there all day taking pictures for everyone, unpaid under the burning sunlight. What can I say.\nSo better come early in the morning. Maybe you can take ur own photo or even better use tripod. Gate would be open at 5am, they said.\n\nThis place are basically temple, place to pray. Sanctuary for the hindus, so there're rules. No kissing, no handstand pose, all backless and thanktops must be covered with scarf or pashmina, and no matter how gorgeous your dress is, saroong is a must. However, the saroong are all clean and have nice motives and colours, so don't worry. I wore navy short pants and tangerine top, while I've chosen saroong with purple tone. Nice.\n\nThis is one of the key main temple in Bali, if you read the history before, u'll be amazed with this place. It's so ancient yet beautifully placed in high altitude with fresh air and natural surroundings.\nYou must go to nearest parking area there, then take shuttle for IDR20k per trip per person, then IDR10k for saroong & scarf rental and appropriate donation. This is a very old place and definitely need maintenance, so I suggest to give a generous donation. It'll be worth for lifetime for the place.
(54) This is one temple that you need to see in Bali. It retains a great deal of cultural and religious significance, it is utterly beautiful on so many levels- that \heaven's gate\" is stunning and the stair climb is a bonus- there is some work involved to get to the top temple.\nI would echo the previous reviewers comment- spend a few days in East Bali and enjoy the area. Coming from the south this is a long drive for a day trip, however, if you don't have time to move around bali I'd definitely recommend it even as a day trip!\nWe hired a driver for 600 000 RP for about 10 hrs. We started in Sanur, stopped in Candi Dasa for a coffee and a quick visit to the lotus pond then proceeded on to the temple. We had our own sarongs and sashes and decided against using a guide because we wanted to have some solitude and as much time to do what we wanted. For us it was a good decision- my husband went slowly as he wanted to bird watch. I was keen for the hike up the mountains. The various temples on the way were all interesting in their own right.\nI really enjoyed the sweaty climb up the stairs and was fortunate enough to happen upon a ceremony at the peak temple which I was able to observe. The families up there were very welcoming and friendly. Sensational views as well!\nGreat views, lots of photo ops, lots of opportunity to talk with Balinese people along the way. There were very few tourists. I took my trekking pole as a deterrent against the macaques which came in handy once. (Unfortunately I left the pole at a drink spot and it \"disappeared\" by the time I went back for it.)\nAll in all a great experience, one that I would highly recommend."
(55) Our hired driver drove us from Ubud to the Lempuyang Temple. The road to the temple was very curvy and somewhat nerve-racking (especially if you happen to look to the right and notice the long drop to the land below). It was a somewhat of a dreary, muggy and hot day with a little scattered rain, but that didn't prevent us from visiting the temple. The parking to the temple is 'a lucky spot found on the side of the road' and the walkway to the entrance is the road shared with cars, moped riders, and other pedestrians. Take care when walking... You are \encouraged\" to pay a donation to enter the temple and rent a sarong to wear, total amount is 30000 IDR per person. After collecting your sarong, be prepared to walk up 2 to 3 flight of stairs and a steep slope for about 15 to 20 minutes (faster if your in shape) to the temple. Upon reaching the temple and collecting your breath, the gatekeeper sprinkle you with water. I forgot what this means in the Hindu faith, but it is something positive. :) \nWhen we arrived, there was a line to take pictures in the infamous Heaven's Gate. So, we took pictures of the other areas of the temple and then proceeded to stand in line for about 30 minutes. When it's your turn, there are 2 to 3 men who will take your pictures using your phone. They will say \"next pose\" over and over again while snapping your picture. My phone had about 20 pictures of me. One picture had the illusion of my reflection in water (created by using the back of the phone's smooth surface). As the temple became more crowded, some people decided to skip the line for the Heaven's Gate photo and took pictures of it from the other side of the photographers, to the dismay of the people waiting in line. \nHowever, the view from Heaven's Gate is amazing and definitely worth taking pictures. I look like I am walking through a door to the sky! Very beautiful. \nBtw, going down was a lot quicker but take care not to trip on the steep slope. Vendors will be there to sell you various items at the exit."
(56) We stayed in Bali for 3 weeks and we always booked Agung. He ist absolutely trustworthy, always on time and has reasonable prices. We can absolutely recommend Agung. His number is +62 812-3801-4543\nYou find him on WhatsApp.
(57) This is a quintessential must for all Instagrammers as the Gate of Heaven photo is iconic. Be prepared to leave early if you are on the East of the island as it is a 2.5 hour drive from Seminyak and you want to be there early before the clouds start to cover Mt Agung. You will be given a number as you enter that is your ticket in the queue to have the photo done, this can take up to a few hours in peak times. Worth the trip if you go to other places in the area such at the Water Palace and Bat Temple. Great views also across the country from the lower Temple. Remember to take a Sarong to cover legs and shoulders.
(58) My sister and I did the hike up the mountain seeing all seven temples. All varying in size. Great hike up 1,700 steps in the thick jungle. Amazing to see Balinese families with aged baby to grand or great grand parents hiking up the steps to pray at each temple on the way. \n\nWe hired a guide and she was wonderful with the information and history along the way. She also carried a stick to fend off any aggressive monkeys. Also helpful as the paths from the temples aren't always clear as to which direction to go. And it is common for tourists to go down a path leading to a small village instead of the path back to the base of the mountain. There were many shacks serving snacks and drinks along the way, and scooters if you wanted a shortcut from the base to the beginning of the stair climb. \n\nI would recommend hiking in the morning as it is a workout to the top. The first temple at the base is by far the biggest and most beautiful so if you aren't in for the hike you will be quite pleased at the base. After visiting many other temples on Bali this was my favorite!
(59) This historical temple is breathtaking. The backdrop of Mount Agung make it look more majestically, and you can capture the perfect picture here. You need to wear a sarung to enter into this beautiful temple and the entrance fee is voluntary donations. It is a spot where you do not want to miss.
(60) At the beginning is crazy, I can´t´believe people wait for an hour to take the famous fake photo just for instagram! they put a mirror to make an effect... but this is just at the entrance of the temple, this is a stair temple, I didn't do all the steps up, but it was decently worth to avoid people and go up, beautiful in the middle of the clouds and also real ceremonies... Don't stay fake and go up!

View File

@@ -0,0 +1,64 @@
[TOPIC] 22
[Stats] N=60 | Source=../data/original/reviews.tab
(1) You do get outstanding views of the Agung, but most of the people just go here to take a photo. Actually, when you arrive, there's already a line at your left, to take a photo. There's a couple of guys in front of the gates, with umbrellas, all set up to take the photos, you make the line (we got there at 9:30am and we did a 40 minutes line), give them your cellphone, and tip them whatever you like. But I do believe it's really stupid to make an hour line, just to take a photo. We felt stupid\n\nThe photo is awesome, and I believe the gates are amazing, but having this crowd of people diminishes the experience. At least they have restrictions like you cannot do yoga poses, or kiss, you have to wear a sarong (not pants, you have to wear a sarong, which they also rent), and also cover your shoulders, If I do go again, I'll go really early in the morning.
(2) It's a memorable trip with a good and nice driver Wayn Suparta. One of our member vomited inside the car and lucky we have the driver help us to clean up. Our driver is patient and introduces balinese culture with us. Traffic at bali was bad. We waited 3hours for the photo shooting at Lempuyang Temple... Its amazing view...
(3) Located at east coast this another place you have to visit on the same time you visiting Lempuyang Temple also Amed with black sand beach
(4) This temple is 2 hours at least away from Ubud but definitely worth it. The wait there for pictures was another 2 hours. There are people there that will take your picture for you for a small donation. Also, a small donation is required to enter the temple!
(5) This is probably one place that is really instagram worthy specially if Mt. Agung is visible between the gates but the long wait for your turn is something of a turn off. Woke up early at 4 am just to travel all the way to the eastern side of Bali. Once there, we need to pay for a shuttle ride going up to the temple, we were advised already that there will be another payment to enter the temple therefore we knew already what to expect. Upon getting the ticket, we were given a number for the queue in taking the picture. When we got there the number was 26 and we were at 73, I thought it would go fast but unfortunately you cant control devotees to stop their climb to do their prayers and offering at the temple thus taking too much time for them to pass first before taking of pictures can once again commence. It took us 3 hours waiting for our turn and I would say that it is not worth it to have waited for so long wherein we could have actually used all those time to other areas of interests in Bali. Dont get me wrong, the pictures turned out fabulous but the wait is really what killed it. For the instagram hungry people, this is one way to get noticed but for the impatient tourists this is definitely not for you, a total waste of time of just waiting for your number to be called for a minute or 2 of picture taking.
(6) Lempuyang Temple is located on a hill close to the majestic mountains so that in this temple will look very beautiful scenery. It takes extra stamina to get to Lempuyang temple. But all that will pay off when everything passed, peace of mind and soul after seeing the scenery around the temple.
(7) The temple is really interesting but frankly ridiculously overrun with tourists. We left our hotel at 4:30 am and arrived at the temple as it opened at 6am. We were given a ticket with a number. The number apparently is for taking a picture at “Heavens Gate”. Apparently people can wait as long as 5 hours for their picture later in the day. Also the pictures really look nothing like the actual temple.
(8) When you arrive this temple, you need to walk up to the top of the temple. It takes around 10-15 min to the top. Then, you will see beautiful view from the temple where Mt. Agung is seen in front of the temple if the weather is good, not cloudy but unfortunately when I came there, it was cloudy so that I couldn't see Mt. Agung from the temple.\n\nThe other interesting thing is the photo taken from the temple was modified by the local people where they used mirror so the effect of the photo will show like you stand near the pool. It's actually a good technique photography and I really appreciate it.
(9) My friends and I arrived around 10.00am and we are very lucky as no crowd that time as in we are only wait 30 minutes to have some photo ops in this place. This place is so amazing, every corner of pura lempuyang are interesting and has story behind it. It is recommend to come as early as possible in order to avoid long queue. effect.only mobile phone is possible to have that mirror effect. You can also take photos from Professional Camera but that would be just a normal photo.It's also an option if you wanted to give some tip to the guy who will take your photo with tht mirror effect would be nice if the mount agung is visible fronting the heavens gate.Hopefuly you have good time when you are visit lempuyang heaven gateway 🙏🏻🙏🏻🙏🏻
(10) We have visited the place early in the morning and it was already crowded when we arrived.\nIt is not worth to go there just for taking an individual photo at the Heaven's Gate; you may wait up to 3 hours for that.\nInstead you may take a photo near the Gate and not wait at all.\nIf you are for the first time in Bali it's a good option to visit the Lempuyang Temple.
(11) Visit this place in afternoon . Easy to find hired moped 3 to 4 dollars a day. Roads very good to this spot. Great views of mt. Agung on the way. Bring your camera great for photos really relaxing place. Beware of hawkers at entrance can be a pain. Cheap entry fee . Beautiful gardens and pools. Relax for about two hours at most. Can go for swim here. Recommended
(12) I went to Pura Lempuyang on July first 2014 with my best friend. Love this temple since so nature here. Before enter this Pura, we lent sarong & give some donation for Pura cleanliness & maintenance. We got great scenery and felt on the sky.
(13) If you go to Bali, I recommend you this place. Don't just travel around Kuta, Denpasar, and Legian. You'll get bored easily there. You should visit places like Bedugul, Ubud, Buleleng, etc. But I'll review this temple first. I won't talk about the views, that's way too common. You can pay for guides here. They can bring you your bags too. For the first 2km, you can negotiate a lift on a motorbike. For foreigners, the weather will feel pretty hot, but trust me, for Indonesian and other South East Asian people, that's normal. There are a few ways to get to Lempuyang Luhur Temple. There are 7 temples in total if you start from Penataran Agung Temple. To go to the top -no one has confirmed it yet, but there are about 1700-1800 staircases. NO, you won't go climbing steps all the way, there are slippery-dirt paths also. Some people might say the view is blocked by the trees at the top, but trust me, it's not. You can still see it and the trees only make the view better. I suggest you to bring your long-distance and short-distance lenses. If you bring children or elder that'll get tired easily, you can rest because there are plenty of resting spots and small shops. Or, you can pay for a carrier. They're usually mid 20s to 60s women. Don't doubt them, they're extremely strong. They can carry things over 40kg on their head. One of them even piggy-backed my cousin which was almost 30kg. And uhh.... Just bring money and water. don't bring snacks and don't wear any kind of jewelry (shiny things like earring, necklace, ring, bracelet). there are many wild monkeys, and they get attracted to those things. Don't swear or say negative things like you're tired, that's taboo here. And the monkeys, they can bite or scratch you if they're attracted to anything you bring. But don't worry, there are 'Pecalang'. Okay a brief information, pecalang is some kind of custom security. Don't get surprised if you see them bringing fire guns. They're only to scare the monkeys. And one more. Make sure you go to the bathroom because you can only rely on nature once you go up (I mean, the bathroom are bushes). but yeah, I admit, if there are public bathrooms, they'll ruin the view.
(14) Came here as part of a private tour. This is a village and to see all the attractions on site you will need about 4 hours and its all uphill and quite steep. \n\nBoth men and women need to wear sarongs if youre wearing shorts. Instead of an entrance fee they ask for donations. \n\nOnce inside we walked to the gate of heaven temple, but depending on which side you get up from. If you get in through the front youll be blessed with holy water and need to move quick as theres a queue of people wanting their photos taken. Even if you have queued, to have photos taken people will constantly either want to go down once they have finished (rather than taking the side part down) or people keep coming up. \n\nWe then wanted to visit the dragon statue which is right opposite the gate of heeven temple however they had a ceremony going on. Something to beware of!
(15) Pura Lempuyang is the best spiritual side of Bali I ever saw. I separate one day from tour's trip to Lempuyang, a bit far from other tourist place but it's valuable to visit real Bali. It's not a tourist place so you can meet Balinese with fully faithful walk there to respect god and bring the holy water to their loved one. They share smile and happiness to you.\n\nThe best is journey, not destination.
(16) It is really nice. No entrance fee, just donation if you want. You have to wear sarong (have to pay 20k rupias to rent one, or can bring yours). It has up to 4 hours tour.... but you can just do your way (20 min is ok to take good pictures of “Door to Heaven” and Mt Agung)
(17) We went based on some of the reviews. Not a single regret! The journey to get there is beautiful in itself and most people end up not stopping at a beautiful rice field that you can find in the way up. Know that you should, if not on the way up, do it on the way down. You can actually take some outstanding pictures there with mount Agung on the background. We only manage to see the first temple, which is beautiful. We went there very early (6.30a.m) in order to avoid a big amount of other tourists (other Us hehe), and it is indeed a good thing to do as loads of people can arrive after 8 am. Because of time constraints we didnt go beyond the first temple, however I must say that it still worth it. People usually go with the expectation of taking the famous picture at the temple door where you can (if lucky and get a clean sky) get mount Agung (volcano) in the background. We were not that lucky as the weather was foggy, although I dont complain since I ended up enjoying the temple in a different way - a mystic touch, a feeling of being somewhere between worlds. Was outstanding. If you plan to see the other 6 temples it will be a long ride. You can actually hire a motorbike guy to take you there. Overall, an experience I will not forget.
(18) It is an amazingly beautiful place and seems to have become a photo-op spot. However, before visiting Lempuyang, I wish I had understood the temple area plan. Let me explain.\n\nPura Lempuyang is not one single temple. There are several temples spread out around a hiking trail in Mount Lempuyang. The 3 temples that we came to know about are:\n\n1. Pura Penataran Lempuyang - This is the place where the photo op sessions happen and it is the start of the temple complex, close to the parking area. It has got a Balinese temple split gate which is also called the gateway to heaven. The place is overly crowded because there is a huge queue to get the photos done. As soon as you cross the ticket counter, you and your family will get 1 queue ticket which has a number written on it, like 212. From there you climb up to reach the split gate area, where a few local people sit in front of the split gate and keep clicking the photos of tourists as per the queue ticket serial number. When your ticket number is called, you have to give your phone to them and then pose in between the split gate pillars. This process can take 2-3 hours at times. The photos come out beautiful, and you will find them in loads on the internet.\n\n2. Pura Lempuyang Madya: This is the second temple and is about 2 km walk from first and then a hike of steps upwards (30-40 mins of climbing the steps in a deep forest-like area). There are bikes just outside the first temple which can drive you up to the steps from where you can start your climb. They charged us about 12K IDR per person for one side.\n\n3. Pura Lempuyang Luhur: This is the topmost temple and is a further climb upwards from Pura Lempuyang Madya. Not sure how long it would take.\n\nWe reached Lempuyang around 11-12 in the afternoon and had some more places planned for that day, so we could not attempt the hike and returned back. However, had I known that there is decent hiking involved, I would have started way early. You can spend almost a day looking around the beauty of this temple complex.\n\nNot just that, the great mount Agung, an active volcano is often visible from Lempuyang (unless it is cloudy) and the sight is mesmerizing. We started from Kuta and kept driving parallel to Agung which was clearly visible that day, finally reaching the Lempuyang mountain road. The journey itself is worth doing it. The road to the Lempuyang temple from the foot of the mountain is also extremely steep and a fun ride. \n\nA must-visit for everyone in Bali.
(19) My mission to come to the area is to watch a sunrise, visit the famous Lempuyang temple and see Mount Agung. The driver told me; I need to be early if I want to take a picture at the famous gate of heaven. We left Nusa Dua at around 3am and he brought me to some place up in the hill to see the sunrise but I guess I have no luck to see sunrise in Bali (went to Batur in April last year, heavy rain & no sunrise). It was too cloudy and I couldn't see the sunrise but from here I can Mount Agung for the first time and it is amazingly beautiful.\nI arrived at Lempuyang temple at around 6.30am and there were already people ahead of me however I don't have to wait too long for the picture (expected waiting time to take pic - 2 hours when it's get crowded). There is no entrance fees but I need to pay for the sarong (10,000rp) and some donation at the booth. Walk to the right side of the temple to enter, entrance from the gate of heaven is not allowed as not to inter frame with photo taking at the famous gate. There is no water as how it is seen in social media, they put a small tinted mirror below the camera (only works with hand phone camera) to have the water reflection.\nPeople who come here to take picture at the viral gate may think it's just a temple but take a moment, sit on the top steps of the temple opposite of the gate and immerse in the beautiful view of Mount Agung. It was my first time seeing a cone shape mountain and I will never forget how amazing it is.
(20) This is the only place in bali that I visited where they do not have sarong touts when u need it. \n\nThe place is hard to find and my driver took over an hour to find it. It took 3 hours to travel there. Most of the photos you see here is at the temple at the foot of the hill, while the main one is at the top. \n\nI was denied entry as I do not have a sarong after climbing up the hill so it's a shame, but I got the view nevertheless. Generally it's a good not well visited pura, so visit it before it becomes a tourist trap. \n\nTip: There is an information counter at the entrance at the foot of the hill. Make a donation and ask for the sarong if you did not bring your own. Souvenir shops along the hill do not sell sarong.
(21) Lempuyang temple is one of favourite spots for taking pictures in Bali. Suggestion is to go there very early morning (5.30-6) to catch up good spot for sunrise, usually u need to wait for long time if u dont come earlier. I was there around 5.45 and I only spend 30mins in que for a picture.
(22) This place is quite big. It takes about 4 hours to do the while walk but we only saw the first two temples as it was a 70km drive away from us. \n\nThe temple is really quiet, there were hardly any tourists so picture taking was relaxed. Unfortunately there was a cloud over Mount Agung so I was a bit disappointed my pictures didnt turn out how I wanted them. \n\nThere is no entrance fee but they expect you to make a donation. You also have to pay 20k for a Sorong if you dont bring your own. \n\nIts roughly a two hour drive from Ubud there and back and your bum will hate you after this journey.
(23) One of the most sacred places, the temple consists of 6 or 7 temples high in the mountain. Majestic buildings, hundreds of stairs to climb and a magnificent view for photographs which most of tourists come for. We hired a taxi from Ubud and it took us about 3 hours to go to Lempuyang temple. There is a park for the vehicles and you have to put on a sarong to enter the temple complex. There is not a fee you just are required to give a donation for sarong and entrance. The Gates of heaven is the first temple when you go upstairs. There was a queue and we waited about 40 minutes to take our photos. There is no water up there, the mirror effect that you see on photos is reflection of a small plate they put in front of the camera.
(24) Being on holidays for a month we really enjoyed the exercise as much as the temples. There are some good previous reviews and I must admit that until the night before I just thought it was about the Instagram shot through the heavens gates to Mt Agung. This is a big site and the gates are impressive but we didn't get the backdrop, December is rain season in Bali. A couple of points from our experience 1 - don't underestimate this is a decent walk if you are going up to the top. There are plenty of busted thongs and sandals on the wayside, you want good shoes. We did the circuit in 3 hours but it was hard going and your HR will be up there. 2 - If you go straight up to the top the concrete stairs are quite consistent and you continue to chug up without worrying about your feet to much. Mostly the staircase is divided by a rail with people going up one way and down the other. 3 - When you get to the 2nd top temple, which is really just a construction site (and will be for some time) you think you have made it but there is still a reasonable uphill walk to the top temple. This walk is mainly on mouldy cobblestone type path and steps. There is quite a bit of rubbish at the top temple and a lot of it is food wrappers associated with monkeys. 4 - The monkeys between the top two temples are aggressive and we had to force a larger one away with an umbrella. Thankfully our driver had forewarned us and provided the umbrellas, many of the local people were carrying sticks. At either of the top 2 temples you are quite safe as the locals chase them away with slingshots but in between the temples you may be on your own and they will try to stand over you. There are many stalls along the way and the monkeys know if they approach the tourists with food they are likely to give it up easily. The one we fended 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 and have a good look around. Otherwise you will spend 2.5hrs getting here and be finished in 15mins. Again there was really no pressure for a guide. Even after we declined the guide he remained very friendly and provided some advice to us. I was very impressed by this. 7 - Between the first temple (where the money shot is) and the 2nd is just an uphill road. We walked it because we had decided to walk the whole thing but also I misunderstood the scooter offer and thought it was 100k. It is 10k and for $1 you may as well take the ride, help someone out and there is still plenty of hiking on the trail (not road) left to do. You also have the option to ride down the last section. Have a look at the maps, the scooters only run between the first two and the rest is all on foot. The loop section is much less consistent wit a mix of steps, ramps, dirt etc. We did the loop on the way down. 8 - Other people have made the point that you have seen the best at the first temple and that is generally true. If you don't mind walking off a few Bintangs though you may as well take your time and have a look further up, you have probably travelled a bit to get here. 9 - we took a dry shirt / change of clothes for the air conditioned ride home and I was pleased we did. 10 - it is worth going past the first temple at your own comfort level just to make it a solid day trip, get some exercise and see some life away from more touristy areas. I am not kidding when I say it is a tough walk up but the same old lady carrying a fertiliser bag of rocks on her head passed me 3 times, every time I stopped for a breather she just silently cruised past with a grin. On the way down I passed a young bloke going up with a Honda generator on his head. I was drenched in sweat, he looked like a greyhound wearing a pair of fleece track pants. Committed people at the temple.
(25) Lempuyang temple is one of the oldest temple in Bali. If you're an adventurous and fit person, this temple is perfect for you.\nAs of all temples in Bali, Pura Lempuyang is sacred and it's where Balinese hindu people came here looking for peace, to pray and to connect with the God. So a proper well-mannered outfit is a must. \nAs the temple lies in the middle of a jungle (a steep one too), proper footwear is important. I would recommend not to wear flip flops. \nBring your jacket as It gets cold from time to time and sarong (sarong is mandatory).\nYou will have to climb over 1700 steps until you reach the peak of the temple (Pura Lempuyang Luhur), it's quite challenging but manageable.\nWhile hiking up the stairs, we encountered quite a lot of macaques. They're not aggressive as long as we do not stare right into their eyes or tried to feed them.\nHike up took around 1.5 hours , Going down took 1 hour.\nFor us, it was worth the hike and we do enjoy the fascinating history of Pura Lempuyang.
(26) Because we wanted to visit several places that day, we decided to only visit temple #1 of Lempuyang. But it was really worth it. We took a guide for a small fee, which in the end was nice (not a great addition if you already have read a bit about the temple). The temple itself was great. During our visit we saw only 2 other tourists. The view with Mount Agung in the background is awesome. Great for taking pictures.
(27) It takes about 2-3 hours to get a picture at the Gates of Heaven. There are many tourist as well as locals visiting this holy place. Be ready to wait. Ladies must have the shoulders covered and everyone needs to wear wrap around their waist.
(28) —-If you want to go to this temple- i do not suggest because you need to pay for everything. First of all - for parking , then for transportation(because temple is in High mountain but parking is far away ). You need pay also for WC (toilet), for enterance and also for picture (in the gate ). And if you want to take this picture -you need to wait minimum one hour because temple is small and overcrowded. It is very big bussiness for someone... \nI AM dissapointed .\n++But of course the volcano view was amazing . And also Weather was good(it was one of the advantages) .there are A lot of days when you Cant see the volcano because of Clouds.. and this is terrible. So weather was one little advantage. \n\nSo make sure if you want to go there for photo which is not worth for this money
(29) Since we came from Lempuyang when we arrived here its really crowded. But still we were able to take nice photos. You just need to bring a lot of patience.\n\nIt was like a maze.. The steps/stones are not so big, so you need to wait until the person you are following finished. \n\nBut there are other areas you can take picture so roam around.
(30) Didn't know anything about temple before I went to Bali. I wish I researched about this place more before I went there. First of all, give a donation (about 20k IDR) and get a sarong. The first temple is only about 5-10 minutes and the most beautiful. Going to the first temple alone is worth the trip. You can take really nice pictures. There are seven temples in total and I was able to go up to the fourth temple as I didn't have time and it was raining. I actually ran from the entrance to the first temple and then to the fourth temple and back. It was a total of little over 4 miles. It was a lot of fun. The longest distance is from temple 1 to the temple 2. You can get a bike ride (one way) for 20k and it about a mile. The temples are old and historic. Some of them date back to 2,000 years. The temples are active and you can see devotees carrying prayer stuff. The day we went was very cloudy so we didn't get a good view of Mt. Agung. If you want to go to all the seven temples, you will need at least 4-5 hours.
(31) Definitely worth the visit! do come early as there are so many tourist you must endure an hour plus line just to take the famous gate photo. The photographers do an outstanding job, I had so many pictures to choose from (I did provide them a tip). The temple is donation based to go in and you can try to attempt to do the four hour hike to go to the top temple or do as most people do and wait on the first level. The view is amazing, we had great weather and we could even see the top of the volcano.
(32) From Ubud Central our driver said, it would be an easy 2 hour drive to the Pura Lempuyang temple, hence my husband & I decided to start early at 8 am as we wanted to see sunset at Tanah Lot & check-in at Seminyak to spend rest of our vacation there. But, we could not stick to our plan and we started at 10 am instead.\n On our way to the temple at a point, we were stranded in the traffic for 1 hour! Our driver said that the locals pray on the road for which it is blocked. We came to know that the holy procession lasts for 2 hours (from 10 am 12 noon). I am not sure how often such processions take place but this definitely changed out itinerary for the rest of the day.\nAfter almost 3 hours we reached Pura Lempuyang temple at around 1pm. At the entrance, we paid for sarong IDR 10,000 each & paid a donation of IDR 20,000. We were told that there are 1700 steps to cover all the temples but we decided to just visit the first temple which has the gate widely known as gateway to heaven.\nThe view from the top of the first temple itself is mesmerizing!! Also the temple is unique and beautiful. I recommend this place!
(33) Arguably the biggest disappointment on our trip to Bali, Lempuyang, also known as the “Gates to Heaven” in Bali is a beautiful Hindu temple featuring two flanking Balinese gates that overlook Mount Agung. While the view is definitely spectacular there are SEVERAL confounds. First, the view is highly dependent on the weather. The temple sits on a hill at an elevation of around 2000 ft which means there can be quite a bit of fog. Additionally, Bali weather is pretty temperamental, with intermittent rains throughout. Lines for this view of Mount Agung start at around 4AM. No joke. We werent planning on visiting this because it seemed gimicky, but our tour guide suggested it so we figured why not. We arrived around 4:30AM expecting to be the only ones there but at least 10 other couples were already waiting in line for the sunrise shot. We waited for 2 hours outside, in que, for the sunrise. By the time we left at 7 AM, there were easily 50+ people already waiting in line to take their picture between the gates. Unfortunately for us, it wasnt a clear morning so the entire experience felt a little bit lackluster. I also was not aware that the reflection in the pictures is from a mirror, NOT water. Personally, these gates can be seen throughout Bali, so its not worth the wait, early morning wake up calls and drive to see this. The view of Mount Agung from our hotel was far more beautiful and we could enjoy it from the comfort of our home. Also all should note that sarongs are required (you can get one at the temple itself), and women may be given a scarf if their shoulders are showing. Lastly we left before the lines got insane, but my understanding is that anything past 8AM requires a 3 hour wait. Do yourself a favor and use that time to visit something more worthwhile in Bali.
(34) Absolutely loved our visit to this temple. After a brief line up you have your chance to have a photo taken of the \Gates of Heaven\" - just beware that you do not get much time so have your poses ready to go.\nUnfortunately it was a cloudy day on our visit so you could not see Mount Agung but this did not take away the beauty of this temple.\nI would recommend seeing this temple if that is your thing."
(35) Wow, what a place, great people, great community, the best views and all for just a donation. \n\nNo charge at entrance, you have to wear a sarong which is only 20 IDR for hire\n\nThe long and tiring walk up the slope has been cut short by the introduction of tuk tuk that ferry you up and down for just 40 IDR. Please support the local community by getting on the tuk tuk and saving yourself a 2 hour walk up the mountain. You still have to wait for anything between 1 and 3 hours depending on how long the line is to take photos on the gate. \n\nPhotographs are free and the locals will take the photos for you with your phone or camera and they will include the mirror to enhance your images like the one's you find on goggle, all this for free BUT please do provide a donation after your photo as they sit there for the whole day taking hundreds of photos for us. \n\nPLEASE RESPECT ALL RULES AS THIS IS A HOLY PLACE FOR THE PEOPLE OF BALI AND OTHER HINDUS ACROSS THE WORLD. IF YOU DO NOT WANT TO ADHERE TO RULES SUCH AS\n\n- ALL PERSONS MUST WEAR A SARONG\n- ALL PERSONS MUST MAKE A DONATIO. AT THE ENTRANCE\n- NO SITTING ON THE STATUES OR THE STAIRS\n\nIF YOU ARE NOT WILLING TO AHDERE TO THESE AND MORE THEN PLEASE DO NOT GO THERE AND JUST DOWNLOAD THE PHOTOS OF THE TEMPLE FROM THE INTERNET.
(36) Hire Bali Driver “Madeé” Made it happen again. He picked us up at 7am from our hotel “bliss spa Ubud “ and arrived at this destination by 9am. The temples of Mount Lempuyang, represented by the highest pura at the peak of Mount Lempuyang, Pura Lempuyang Luhur, is one of the Sad Kahyangan Jagad, or the \six sanctuaries of the world\", the six holiest places of worship on Bali. Remember to bring a sarong and ladies shoulders should be covered. A must see and experience."
(37) We left the hotel in seminyak to go to this Venue at 7.30am. \n\nTips. To save money, cover shoulders (female) and wear a shawl (male & female) they are only 20,000 at the site if you dont have one but you wont get in without it. \n\nLeave the hotel as early as possible, cant guarantee the queue will be shorter for a picture but the roads will be quieter. \n\nBring something to entertain yourself as the road trip and the picture queue take about 7 hours hotel to hotel. \n\nPros \n\n.Free entry (donation only) \n.People there to take the cool reflection picture for you with your phone \n.Amazing view for a picture \n\nCons \n\n.There is no water under your feet its all a mirror image \n. Its really busy and although the pictures look good, whats going on around you is a completely different picture \n. Its almost a whole day of your holiday used up unless you make a trip of it and visit numerous place (this is what I did.. I hired a taxi for the whole day at a cost of 800,000. This is the taxis watsap +62 819 99011834 he is who I used most of the time. His English is decent and he knows where he is going. \n. Women on their period are forbidden from entering (not sure how they would know tbh) \n. Unless you take your own mirror then A reflection picture wont be doable on a proper camera as they only seem to use mobiles. \n. New born babies are not allowed (I think it says under 120 days old) \n\nBasically ask yourself... is this picture worth giving up half a day of your holiday for? If the answer is yes then go for it.
(38) Was been visiting this site for many times, not just for photo at the gate below. But also for climbing at the summit of Mt.Bisbis or Mt.Seraya where's the main temple complex was originally situated.\n\nMy first time climbing and visit this temple was 1980's when I was round 7 or 8 years old. Back than I still remember my parents take me in really long walk to just get to the temple below now known as gate of Heaven, but local known as Lempuyang Madya, or the mid yard to summit.\n\nAnd back in Instagram era, the site wheres the beautiful white gate built turn more and more famous. Many tourist local or foreigner will take time pose minutes to hours for a great instagram post. Meanwhile peoples who will do pray and climb the stair to that gate need to wait in sometimes hide or told to wait and hide meanwhile bunch of tourist take photos at the entrance gate. Anyway thats was entrance gate to the temple for peoples who will praying. Some of us probably have lack respect on that, like blocking the door to the Gods house for those who come praying.\n\nNow I even can say getting more worst due to this Temple site should be keep holy, clean and respected, the management which is the villagers start to do something more and more commercial in it. A selfie photo assistance that manage by local, which causing a long queue every day. Well every visitor has different purpose of visit, some might love just taking photo's some love the scenery, some love the history. I am kind of history and nature lover. For most this place a really beautiful, but when turn popular and famous this site need a great way to manage due this considering by Balinese as one of sacred temple in island, the ninth direction temple of Bali, and also known as the light of the island. Lempuyang driver from \lampu\" mean light and \"hyang\" mean Gods. The light of Gods shouldn't turn low or even go out, just because more and more turn commercial and visitor who have lack respect in it. If you not just come for taking photo of that famous entrance gate with Mt.Agung as background. Climb up...hike up...feel the holiness and the great of this ancient sacred temple. Find the history...know it better than just post the picture of this sacred temple as a selfie spot. Keep respect be smart traveler."
(39) Temple so amazing, i came on this temple around in the morning at 06:00am, when you get there around that time,, will be have great pictures with the sunrise and view of agung volcano and green scenery around
(40) Recommend that you read about it before you go, to make the best of your visit. Genuinely helpful welcome staff, with a clear map of the site and an explanation of what to see and where to go, so you can spend as much time and effort here as you want. We only went up as far as the second temple, as the view is wonderful from there. The site was clean and free of sellers, it is respected by locals and tourists should do the same. We didnt see Agung, due to clouds, but the vistas were still spectacular. Take a sarong, and cover your shoulders. Be prepared to listen to the staff, and receive a blessing. One of the most welcoming sites for a tourist to visit.
(41) Its literally just a picture! \n\nI had read reviews about queues for a picture and assumed that would be ok as I had a temple and views to look at - not the case at all! \n\nArrived in car park 45k each for a shuttle bus to the the temple. When bus parks there is a hill to walk up- manageable but there is locals with mopeds who will drive you up the hill if wanted for a fee. Temple ticket an additional 55k. \n\nArrived in the temple we are number 191 they are on 104! This is not how many people are in front this is how many groups. \n\nSo say a group of four - allowed four poses/photos as a group and then each person within the group is allowed four shot so around 20 photos for a group - this takes time! \n\nOur driver said we were there in a good day as normally the wait would be longer. \n\nWe waited about 2.5 hours, there is nothing to do there whilst waiting nothing to look at no where to go you sit and wait as the guys call out numbers and “next pose” every few minuets.\n\nYes I love the pictures but if I knew it was nothing other than a picture we would have given it a miss
(42) I was staying in Amed and took a short scooter ride to get to this temple. The main picture you see is from the first, and best, temple. Realistically you could visit this temple, only see the first one and be in and out in 30 minutes.\n\nThere are like seven temples to see, but unless you got here on a scooter, after this first temple you will have to walk 2km up a small road to get to the next temple (which is really nothing) and to the beginning of the 1,700 stairs (I think that is how many stairs they said there were). The other temples are okay, nothing compared to the first temple. I rode my scooter to the second temple, parked and climbed the 1700 or so stairs to the top. It took me about 35, 40 minutes (plan on an hour or more to get up). It was cloudy and overcast but I still enjoyed my visit. If you are not big on climbing stairs, you may want to skip this.\n\nI am glad that I visited here. I enjoyed it. You just have to ask yourself if you want to climb those stairs.
(43) Great place to visit: few tourists, no hassle, very nice views of Mount Agung even just from the first of the 7 temples. The best temple we visited in Bali!
(44) we travelled to the various temples in the Lempuyang area two days after Galungan day as part of the families temple visits and praying during this time. We did get a little lost after following Mr Google up a dead end street but finally arrived at the very full car park. Motor Bikes 20,000 Rp took us to the first Temple (Gateway to Heaven) and spent time there praying with the many other Balinese that were visiting at the same time. this is not an area that is open to tourists, and is higher than the area where the \gateway\" is located. we then travelled to higher temples - again by motorbike 20,000 Rp and climed the 1700 stemps to Pura Lempuyang Luhur. the climb is not difficult just takes a while. it is worth the climb even for just the view, and again some areas not open to tourists and only accessible for praying"
(45) If You have time go there..You wont regret it..Even if u dont climb up to the Top..the first Pura Agung Lempuyang at the foothill is beautiful..It took us 2 1/2 hrs from Legian with driver/balinese guide Putu Budiasa..a nice gentlemen..very polite..humble guy who bring us up to the top..We took about 3 1/2 hrs to reach the highest..we took our time since Putu wanted to stop at every Pura for prayer..We dont mind..There are no many tourist there..saw another 5 westerner there..a few local are preparing for Galungang in 2 day time..There are about 8 Pura n the last and highest is Pura Pucak Lempuyang Luhur..known that more than 1700 steps to reach the top..Any fit person can reach the top..No entrance fee but you can give donation to those Pura Donation Boxes..
(46) It was 2.5 hours drive from Kuta to Lempuyang Temple. We went at 5am and arrived at 7.30am. It was misty and you cannot see the Mount Agung yet.\n\nNo entrance fee, but you must borrow \sarong\" for 10k each person. (You can bring your own sarong) There's a donation fee for the temple, I gave 10k for the donation.\n\nIf you want to take photo of the Lempuyang Gate, don't forget to take the queue number. They will call you if it is your number and you can pose like a model lol.. They will take some photos for you, just give your camera/phone to them.\n\nThe queue took 3 hours after I arrived there. The sun showed up at 9am and when I took photo, the Mount Agung has already seen. You can eat breakfast or stroll around the mountain (other temple) while waiting.\n\nWe found out that Tirta Gangga Water Palace is about 1 hour drive from Lempuyang Temple. You could also visit there while waiting for the queue. Sadly, we didn't know the queue took that long so we went to Tirta Gangga after we took the photos.\n\nToilet fee was 5k and there're some food stall, me and my husband bought cup noodles to fill our stomach."
(47) Drove there from Ubud. The drive took us about 1 hour 45 minutes. well worth the time. The temple and it's surroundings were well maintained. As all other attractions in Bali, you have to pay to get in. The price was okay and worth it. I believe it was 50 000 for one. Can easily recommend to visit this temple. Sarong is not needed.
(48) As a Solo traveler I met a few more people at my hostel and we all decided to visit this place, coz we thought just go take a picture then leave. First you park the vehicle some where and you have to take another vehicle which they provide and you have to pay for it. Once when you go up and again when you come down. So basically they make you pay twice. Then they make you buy a shawl to cover your legs. you can be wearing a long skirt / dress which is till your ankle still they make you buy the shawl. I took a shawl assuming it would be cold so I didn't have to buy it. Well then you have to give them a donation as well. So after spending we climb up the mountain to the temple. The view is just EXTRA ORDINARY :). But then to take the picture we had to stand in a queue for like four hours. Some people would take like 100 pics which would further delay the time. \nIf you want a perfect picture and ready to spend your entire day there maybe yes, but if not its just not worth it.
(49) Went there after seeing numerous beautiful pictures on Instagram. It's a 1.5-2 hours drive from Ubud. Wearing sarong in the temple is mandatory and it can rented for IDR 10,000 per piece before entering the temple. The usual donations (like all other temples in Bali) are asked for at the entrance. \nTo our luck, there were not many people when we visited since it was one day prior to the silent day (Balinese new year). And hence we clicked many pictures.\nThe place is undoubtedly beautiful and worth visiting. If one can see mount agung from in between the door, it's a cherry on top since weather is mostly cloudy.
(50) Full credit goes to our driver who took us to see Mt Agung. Just stopped on the way to see this place and views were awesome.
(51) Before reaching the carpark, local bikers stopped our private vehicle & tried to convince us that our car can't go up there & we need to take their service to & fro for IDR 25K. Our vehicle driver might have some interest involved as well.\nWhen we refused to accept their offer and strongly asked the driver to move to the carpark then he had no choice but to listen to our instruction.\nReaching there found out there are small shuttle buses ply from the carpark to the Temple and vice versa. Surprisingly, there was no clear signpost about this shuttle transportation service.The driver collected some money from us on our return to the carpark. \nLanguage is a barrier for the tourists to communicate with them.\nTemple is located higher from the mainland. The shuttle bus took 8-10 mins to reach high up.\nThere one needs to pay IDR 10K for a sarong to wrap over the waist. It needs to be returned after the Temple visit. But money is not returned. It is considered as a donation to the temple.\nOne needs to walk higher up to reach the shrine from there. View is amazing. \nBut the location is not recommendable for mobility challenged tourists.
(52) Had the most amazing journey to Lempuyang Temple with Brotherhood Bali Tours. DK an amazing guide & excellent English. Standing between the gates of heaven & Mt Agung as the back drop was totally majestic. Highly recommend Brotherhood Bali Tours to take you
(53) Lempuyang Temple is 2 to 3 hours northeast of Ngurah Rai International Airport, depending on your driver and traffic. No public transportation going there so you have to hire a private car. The temple is built midway up Mt Lempuyang facing a beautiful view of Mt Agung and its surroundings. Entrance fee is free, but there's a charge of 10K or 20K (can't remember exactly) to borrow a sarong (required because it's a temple, 1 of the 6 major ones no less), so best to bring your own to ensure better hygiene. Then you'll be given a number for the queue for the picture-taking at the perfectly located Heaven's Gate. The steep climb up begins, take it slow and easy, even the young ones pant with effort. For \ the young once\", some enterprising men in motorbikes will offer to drive you for 10,000 Rupiah per person. When you finally get up there, there'll be a lot of people waiting in the shade for their turn to be photographed. And if you have the patience to wait for hours, you can be rewarded with an incredible mirrored photo. There are men there to use your cellphone (not SLRs) to take pictures of you and your friends/relatives, individually and as a group; just give them a donation. We were number 268 and 211 was just called---was told it would be about a 2 hour wait. Most people wait. What's lost in all this is that Lempuyang Temple is a Balinese Hindu Temple that is said to predate all the other temples in Bali. I read somewhere it was built in 91AD (restored in 2001). Deluged with tourists (except now with the coronavirus threat), Bali is highly commercialized. Even Besakih Temple charges 60,000 Rupiah entrance fee. The fact that Lempuyang Temple doesn't charge yet is surprising."
(54) We visited this place in the afternoon. We must park our car at the parking area and changed with shuttle bus. The price for shuttle bus was Rp. 50.000,- per person for return trip. The road from parking area to the temple was uphill and winding. It took about 5 minutes.\n\nTo enter the temple we must pay ticket and the price was Rp. 50.000,- per person and we got sarong that must be use in the temple area. They gave us queue number for taking picture at the Gate of Heaven. From the shuttle bus stop to the temple the road was very uphill, the distance was 200 m. We may choose to take a walk or use motorbike and pay Rp. 5.000,-. We chose to use motorbike that time.\n\nLucky us there was no queue at the Gate of Heaven, and we could directly took picture. There was an officer that will take pictures for us. He used a black tile to make the reflection effect. We just need to give him our handphone. We took many pictures until we had no more idea. We gave tip to the officer. There were some other objects at the area. A big temple and the gate from the other side.
(55) Lempuyang Temple is beauiful. You will need to walk up a steep hill after getting off the shuttle bus. So, bring water to drink. Also, they will loan you a sarong to wear. The wait to take photos between the Gates of Heaven will be long. There were 100 people ahead of us, so we did not wait. Obviously, a photo between the Gates is best, but, you can take a photo with the Gates behind you, plus other nice photo spots. We had a very nice experience.
(56) It was every single bit worth the effort and time! The scenery from up the top was amazing! \n\nIt took approximately one and a half hours drive to Lempuyang Temple from our accommodation in Ubud. Upon arrival, you will be asked for some donation for the temple. There are a few places that you can visit, but the most popular of all is the main temple. Lempuyang Temple is definitely a place that you must visit while you're in Bali.
(57) The area was very busy when I went. It is a very steep drive up the hill and then the walk up the stairs is hot and tiring but VERY worth it. The view is amazing. Whilst I choose not to have my photo taken at the gate as there was so many people, it would be good as long as there are not huge amounts of people. It's very important that people don't lean or sit on the stairs on the way up to the the prayer area. Also that no one go up the middle stairs are these are strictly for ceremonial usage. Worth the climb and worth the visit. \nIt is a donation system and it is your choice how much you give. You must wear a sarong when you enter. If you don't have one you have to rent one from the office. They give you an explanation at the bottom of the stairs so you can choose to do to the first area (about 30 minutes) or the back area as well which takes (by their estimation) about 4 hours to walk around. It was the middle of the day so I didn't do the 4 hour walk as it was very hot. I recommend the location though. Different with amazing views!
(58) Make sure you book a professional driver for you trip to the temple I used IMade Agus Bali Tours and while staying at Guna Mandala in Padang Padang hired a bike for 8 days was about 200,000 rupiah for the hire cheap as anything
(59) We traveled from ubud to see this temple, it was definitely great to see, although a very long drive approx 2-3hours. If you traveling from far then make the most of it start early and explore the full temple which takes 5-6 hours once you are there. You can see as much or little as you like. For those interested in the best photos these are at the 2nd set of steps and you only need an hour. There is a great queuing system so everyone can get a great photo. If you hire a private driver make sure you give them the exact temple called luhur lempuyang. There are lots and lots of temples in lempuyang and the locals dont go to the tourist one. My only reason for a 4 star was it was a really long way to go from ubud, we spent 6 hours in a car to spend 1 hour at the temple so in hindsight Id probably stay closer next time if I wanted to see it properly.
(60) You can skip this place unless you really, REALLY want the famous picture. The line for this picture is insanely long. At least an hour wait, probably closer to 2. There is someone there with a mirror to take your photo on you camera for you. I honestly think the structure behind the gate is much more beautiful. This is the first stop on a hike you can take with 3 or 4 stop after that (optional). The staff said maybe 3 hours to the top, less to get down. They also make you rent a sarong, men too, for 10k idr. And they make you give a donation as well, the amount is your choice. It also takes a bit to get up to the drop off point.

View File

@@ -0,0 +1,7 @@
[TOPIC] 22
[Stats] N=3 | Source=../data/original/reviews.tab
(1) I had this on my Bali bucket list so I knew I could wait up to 3 hours for \that photo\". Lucky me I only waited an hour and a half. I got to chat in line with other tourist and guide/drivers. \n\nI got to ride in the back of a ute (truck). There is a carpark where you must leave your vehicle and get a connecting ride to the temple in a ute for 20000 IR one way. Then you pay for the rental of a sarong if you did not bring one...Lucky me I brought one with me but you still had to give a donation. Then there is a rather steep walk up to the temple. \n\nYou are greeted at the temple with a person that will give you a blessing with a sprinkling of holy water. Then you find the end of the line and wait until it is your turn. \nWhen it is your turn you give your phone to the photographer who will use a reflective filter placed just under your phone camera. The effect is awesome :) you may also have a friend or your driver/guide take photos for you as well. you are able to do half a dozen poses then it's all over. \n\nWhen we first arrived you had a clear view of the volcano by the time it was my turn it was rather cloudy plus there was a little smoke coming from the side of the volcano that added to the haze. \n\nThere are little shops where you can purchase a drink or a snack. \n\nMy one regret was that I did not walk up the stairs to take a photo of the volcano from the top of the stairs. There are 3 stairs you can walk on the outer stains but not the middle. \n \nI was pleased to have made this journey but I did it Solo because none of my fellow travellers were keen on the long day and the wait."
(2) We went to the Lempuyang Temple on a Saturday, which was also a local religious holiday. Our driver took us there in the early morning and luckily there wasn't that many people there yet, so we got to drive right up close to the temple. Usually, you must park and take a shuttle bus up. At the entrance we paid Rp. 20,000.00 each for donation to enter and to borrow a sarong. Steep walk up a side hill to the top entrance of the temple area where we waited in line for about 30 minutes to get our picture taken in front of the Gates of Heaven. They have a nice shaded waiting area and we were told line ups later are usually about an hour. When we got to the front of the line, there were two staff members who volunteered to take several photos of us with our own camera...nice glass effect.....once again you can donate to them if you wish.....day was nice and sunny but unfortunately the clouds were over Mount Agung......definitely the best place we visited yet in Bali!
(3) When you arrived, meet the Guide (fee apply depend on your need) and you need to wear Bali saroong to respect the holly areas. It's avalibale for rental.\n\nNeed a good stamina to hike till the Lempuyang Luhur Temple as you may walk thousands steps and paths to reach the top of the hill. Please take a Guide and bring some water and sunscreen to enjoy the 4 hours journey.\n\nBetter to go here in the morning too see the beauty of Mount Agung from Penataran Lempuyang Temple.\n\nAwesome journey!

View File

@@ -0,0 +1,64 @@
[TOPIC] 26
[Stats] N=60 | Source=../data/original/reviews.tab
(1) Ulun Danu Beratan (or Bratan) temple is located on lake Beratan. You will find many spots for photo taking. The temple is not big, but the whole view of temple, lake and hills is fantastic.
(2) One of the top 10 favourites of mine was a visit to the Ulun Danu Temple located on the Beratan Lake. Can be very busy during the high season but great pictures if you can avoid the crowds. There is also a nice easy walk you can do if you follow the path after visiting the temple area.
(3) After reading reviews I had high expectations of this temple but was very disappointed when I actually saw it. I didn't see it at sunset but it's definitely not great in comparison to Tirta Empul or Ulun Danu Beratan. You can't go inside so just looking at a small temple on a rock didn't look like much but it has symbolic meaning which our guide explained.
(4) Ulun Danu Temple is location on north area of Bali Destination, if you have planing to one way direction and get any more site show view at is interesting Ulun Danu Temple, you can have plan before make decision to Uun Danu Temple. Because it is location about 1 hour 30 menit from Denpasar like seminyak, legian or Sanur. then if you like more any in site exploring other interesting before you arrive at Ulun Danu you can move at early morning example from Semiyak your hotel stay and move frirst to Tanah lot, next Taman ayun, Screet Garden and Botanical Garden then you arrived at Ulun Danu Temple
(5) The entrance fee is Rupiah 50K compare to Tanah Lot Rupiah 60K per person. Again, the visitors are not allowed to enter the temple. What we can do is just looking around and find good spots for taking pictures. During our visit, it was misty and foggy. We felt cold too as this iconic Ulun Danu Temple is located on Lake Beratan in the Bedugul Highlands. One can see the mountain at the back of the temple on a sunny bright day. \n\nThe temple is featured on the Rupiah 50K bank note. Perhaps this is the reason for charging an entrance fee of 50K to tourists... The sellers outside the temple area were pushy in selling their products. I saw few of them kept following the others even the latter had declined to buy. Overall, I enjoyed the cool temperature in this area as this was the last temple during my Bali visit.
(6) We were lucky to go to Ulun Danu Temple when there was ceremony on. It was so colourful....better than any pictures I have seen on the internet.The lake with the mist gave that eerie background to the beautiful temple and the flowers surrounding it. There are even bright animal sculptures as well as gigantic fruit sculptures throughout the magnificent gardens. Definitely a must for any visit to Bali. I am hoping to go back on my next visit to Bali in August
(7) I came to Bali more than 10 times and this was the first time to visit Ulun Danu Bratan Temple. It is nice and also typical tourist point that means it could be very crowded. If you want to show off some photo the same as Indonesian RP 50000 bank note, it is worth to go. Foreigner paid higher entrance.
(8) The way to Ulun Danu and the temple\nItself are so beautiful that we wished we could spend more time there.
(9) Seems like every where we go in Bali, the journey is at least 45mins away! LOL.\nIf there is one place you need to visit, the yes, Ulun Danu Bratan Temple might be worth a day trip for you. \nCooling up in mountain, great photo taking views, strawberries to buy along the way too...\nWell maintained, clean and affordable entrance fee.
(10) It's that it was on our way from Lovina to Ubud, otherwise we wouldn't have gone here. This place is the definition of a tourist trap. Perhaps we should've gone in the very early morning or late in the afternoon, instead of noon when the place was infested with tourists that came in by buses. I really doubt tho I would appreciate the visit if there weren't so many people, because I didn't think the temple was all that interesting. I didn't look it up before going and didn't know what to expect, perhaps if I did I would have a complete other experience.\n\nThe relatively small temple is quite nice and photogenic on an idyllic location. After seeing it and taking photos we were pretty much done here.\nTo me, Ulun Danu Bratan is a family attraction with playground equipments like swings, see saws etc. You can go on the lake with a motor boat or a Swan pedal boat, take funny pictures with the several animal statues, sit at a restaurant or buy some touristy things at the stands.\n\nThe one thing that put me off most at this place was the bats that were hanging upside down on a stick and other animals on display for you to take a picture with. Pure animal cruelty. Taking a picture with wild animals sounds cool, but please read and learn about the wild life industry before you get involved with it. These animals belong in the wild. Caging animals is not forbidden, so the only thing you can do is to either ignore it entirely or make clear you disapprove of this way of business and of course don't take a picture.\n\nLong story short: I don't recommend this place. Especially if you have to book a special tour from another town and you have to sit in a bus for at least 3 hours.
(11) Ulun Danu is one of those temples most of us seen in the internet, and in brochures, and it's also on most agendas, but if you expect a large temple complex you're wrong.\n\nNever the less it's very much worth a visit, but be aware that you will not be alone, the place is quite crowded
(12) Too Crowded with tourist and locals , avoid coming by car as very rare u will find a parking and lots of stalls are there near by to have food . \nIt is very old temple and local say it's goddess temple of lake danu.
(13) It is one of the best maintained temples of Bali. This 17th century temple is located on the western side of the Beratan lake in Bedugul, central Bali. The temple is dedicated to three Hindu Gods - Brahma, Vishnu and Shiva along with Dewi Danu. The temple is the sign of Mengwi dynasty's grandeur. Travelers should before hand find out the schedule of the dance programmes in the temple complex and time their visit to the temple. We visited the place on our way while driving from Ubud to Munduk / Lovina. Our very reliable driver, Ady (+6281239378353) knew the place very well and took us through some short cut roads through villages after visiting Jatiluwah rice terrace. He was our guide for the temples and other places of interest that we visited in Bali. From Jatiluwah rice terrace to Ulun Danu, you will pass through beautiful road passing through forests and hills and villages with rice fields all around. We stopped as a restaurant called Taman-e-Seri from on the main road. This Warung place is huge but the place is real bad and visitors should not have food here. In fact, when we stopped here, we did not find any other tourists having food here. The food was real bad and we regretted of not having food on our way in a beautiful Warung overlooking green fields which we saw while driving. After reaching the temple, first we have to buy the ticket for 75000 which includes the use of a Sarong to enter the temple premises. The temple has a very large green compound and the temple is located on the bank of the huge Lake. As usual, the main temple is locked so also the two smaller temples on the water (lake) and tourists are not allowed to enter the same. We found large number of youths are being trained for temple dance programmes. Two trainers were standing and reciting Ramayana stories for kechak dance. Six-seven girls were also dancing in the middle as per their turn (two at a time). You can buy lunch within the temple premises. We spent about 1-1.5 hours in the temple complex before proceeding towards Munduk. It was a good and memorable visit.
(14) Actually I have 4 times to this temple. This temple is famous for local tourists because the temple is printed on the money Rp. 50,000.\n\nThis temple is always very crowded. Although it has a large parking area and a large garden area, but the area to take pictures with the background of the temple is very small and narrow.\n\nIt is unfortunate, but overall it has a beautiful display. Ulun Danu temple is located on a small island on the side of Lake Bratan and connected by a bridge. Visitors are prohibited from crossing the bridge and entering the temple.\n\nBecause it is located in the small island, the temple seems to be above the water (floating). Visitors can also rent a boat or speed boat to circle the bratan lake and see the other side of the temple.
(15) I came here as the final temple on my 3 temple tour of Bali. I was unimpressed. First of all, you have to walk through stalls and stalls of tourist shopping before getting to the grounds close to the temple. I've never seen such a thing. Second, it's crazy busy. There are so many people, there's no way to find any kind of peace here. \n\nYes, it's overlooking the ocean, which is amazing. But that's about it. Ulun Danu and Taman Ayun are much more serene and lovely. \n\nI would say skip. If you want to see the ocean - go see the ocean. If you want to see a beautiful temple, go see a different temple.
(16) beautiful view at ulun danu beratan this place have a strong magnetic every time at the day are always full of people all the part of the temple are very tidy and clean very well
(17) Ulan Danu Beratan Temple is featured on Indonesia's Rp 50,000 note - that's how iconic this temple is!\n\nMostly local Indonesian tourists but also saw a handful of foreign tourists too.\nNot particularly crowded which was a pleasant change from most tourist spots.\n\nIf you have time, can also go out onto the lakes as you can rent out boats.
(18) While the trip to Ulun Danu from Kuta is quite long, it was worth it !!! The place has a peaceful atmosphere and is clean and well maintained. Just walking around the temple area was fun and relaxing. This is a must visit in Bali.
(19) Nothing really here at Ulun Danu Bratan Temple for a christan from the USA. The lake is beautiful,but not much to do.
(20) Every time I visited Bali my fist destination is the village Bedugul and the volcanic lake Bratan and its temple complex. Just avoid tourist stampedes when hundreds of tourist busses standing in front of the entrance gate.\nBest to visit during festivals together with local Balinese inhabitants
(21) It was a long drive from Ubud, but worth the drive. Ulul Danu Bratan Temple is a land mark for tourists Bali...its on every postcard. You must go in the morning before the fog arrives in early afternoon. The very well maintained temples look as if they are floating. The mountains and hanging fog make a very interesting back drop for your pictures. You must pay at the entrance before going to the water's edge. There are many shops on the right side of the temples...many! We didn't rent the swans to float around the temple, but a few couple of lovers enjoyed it.
(22) Ulun Danu literally means the \Upper side of Lake\". Rightly so the the Temple devoted to Lord Shiva is located on the banks of Twin lake with green covered mountain in the back drop. One can go around the temple and see the rituals being performed. There is separate temple for Parvati where people come from far and near with offerings and along with relics of house deity and pray to god as per the rituals as directed by the Priest of the Temple. The place is well kept and good location for photo shoot. Peddle boats are there for children and an Artist offers his skill to sketch portraits in 10 minutes. Some shops are also there for tourists."
(23) We were driving up to Lovina & stopped off at the Ulun Danu Bratan Temple for sightseeing & also for a coffee break. \n\nThe temple complex is located on the shores of Lake Bratan in the mountains near Bedugul. The temple was built in 1663, to use for offerings ceremony to river goddess Dewi Danu due to the importance of Lake Bratan as a main source of irrigation in Bali for their crops. \n\nThe grounds & gardens are lovely & the temple overshading the lake is very beautiful & peaceful. Its thatched multi-roofed shrines are very interesting especially the location of them sitting proudly on the water's edge of the lake with the gorgeous mountains as a drop back. The breeze from the water was very welcoming on a hot Bali summer's day. \n\nVisits to the Ulun Danu Beratan temple has an entrance fee of IDR 7,500 for domestic tourists and IDR 10,000 for foreigners. Parking is available with the cost of the ticket. \n\nThere are numerous cafes for lunch, drinks or coffee plus toilets.
(24) 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.
(25) Ulun Danu Bratan Temple is one of the water temples in Indonesia. This temple can be found also at the back 50,000 ind rupiah. On behalf of my group, I would like to thank Komang, our guide from balitraditionaltours.com and our driver.
(26) A beautiful temple on the shore of a lake in a hilly Balinese region (northern part of the island). This is the main temple for Balinese rice farmers. It is dedicated to Dewi Batari Ulun Danu, goddess of lakes and rivers. Part of the temple is on the main land'and part on a small island in the lake and the highest pagode is on this island. The atmosphere around this temple is peaceful and inspiring. Don't miss it.
(27) Pura Ulun Danu Bratan and Lake Danau, is a lovely place won't be missed. Cool weather on a highland, it's actually peace and tranquil to spend some time at this place. You can choose to do canoeing, boat riding or just walking around the lake by taking picture, it's a nice place that not to be missed.
(28) Ulun Danu Bratan temple is localized by the main road between Denpasar to Singaraja north Bali. The temple is dedicated to the God of the Lake, this place is situated on the mountain territorial on 1100 m above the the Sea Level. It is great to be visited.
(29) After coming from Sekumpul waterfalls where we almost did not see any tourists, coming to Ulun Danu Bratan was quite a shock. A parking packed with busses and tourist cars is not directly what you associate with a religious site.\n\nNevertheless, when in Bali it is a must see temple: the setting on the lake is wonderful with wonderful views of the surrounding mountains.\n\nAt the moment we were there, there was a big ceremony which made it extra special\n\nOne recommendation for the management: please stop renting peddle boats to tourists, it ruins the photos for everyone else!
(30) We were pleased to visit the Ulun Danu Beratan Temple. This temple was picturesque. It is a landmark and a significant temple complex located on the western side of the Beratan Lake in Bedugul, central Bali. The temperature was relatively pleasant. The surface of the lake surrounding most of the temples base creates a unique floating impression. The mountain range encircling the lake makes the place scenic. \n\nWe spent about one hour at this temple, which was built in the 17th century in worship of the main Hindu trinity, Brahma-Vishnu-Shiva. The floating temple complex is comprised of four groups of shrines. The second group is located in the west. \n\nWe were impressed with the temple gates, instantly noticeable Balinese architectural features and the tiered shrines. This temple complex is also home to a megalithic artifact in the form of a sarcophagus and stone tablet. \n\nDo not miss this temple in your Bali itinerary.
(31) What tourists need to know is that the temperature is cooler in the Bedugul area, and hence, Ulun Danu Bratan Temple itself. When visited during hours where there are less tourists, the place just gives you the sense of tranquility and serenity. \n\nFor Muslim tourists, head down to As-Siddiq restaurant which is located just opposite the temple. It serves delicious Ayam Bakar Taliwang!
(32) We visited Ulun Danur temple at dawn on a photography tour. We had planned to catch the sunrise there. The weather was quite chilly and we had to wrap ourselves with shawls. After paying an entrance fee, we went inside. The temple complex was deserted except the three of us. The temple, comprising of 11 Meru towers, is dedicated to Lord Shiva and his consort Parvati. Extremely photogenic, It is an alluring piece of Balinese architecture. The garden surrounding the temple and Lake Beratan has varieties of flowers in full bloom which add further beauty to the place. The temple appeared more breathtaking as the first rays of sun touched it's walls. Lake Beratan was quaint. As we were leaving, a priest of the temple politely told us to visit again. We were touched by the gentleness of his words. Since we visited very early in the morning, there were no crowd. A must must visit in Bali.
(33) Floating Temple of Lake Braken is on one of the most important lakes in Bali, feeding the land by the age old Subak irrigation system. This Temple is one of the most important temples of Bali which acted as the maintainer of harmony and stability of the entire Island.\n\nPura Ulun Danu Beratan is a major Hindu Shaivite water temple on Bali, known as the floating temple as it appears floating at high tide. Located on the shores of Lake Bratan in the mountains near Bedugul. There are many other water temples in the Region that are specific to each irrigation association. Built in 1633, this temple is used for offerings ceremony to the Balinese water, lake and river goddess Dewi Danu, due to the importance of lake Bratan as a main source of irrigation to central Bali.\n\nI absolutely loved this temple site and the Buddhas statue is also enshrined in this temple. The grounds and gardens are beautifully maintained with exotic flowers and easy walkways. If you are lucky enough you could even witness a ceremony at the time of your visit. Unfortunately l witnessed a sacrifice of a poor chicken on my visit and l wasnt expecting the priest to suddenly cut a live chickens head off, but it happened, this is Bali.\n\nA beautiful drive from Ubud on the way to Jatiluwih Rice Terraces l highly recommend a visit to this temple. I had also a great registered guide from Ubud Area Tours who knows all the history and information of this temple and beautiful sites visited in Bali, highly recommend.
(34) Pura Ulun Danu Bratan is said to be built during the 16th century in honor of the goddess of the lake, Dewi Danu. We visited this temple by the Bratan lake was an amazing sight to behold and is a must when you visit Bali! there are plenty of photo opportunities and a lot to admire about the culture.
(35) extremely blissful temple, with amazing view of the typical temple beauty alongside the lake. there is also option for the boat ride... you will see some locals coming in to the temple, but as usual tourists are not allowed inside the temple\nWe had to chose between ulun danu brantan and taman ayun due to time constraints, but i am very happy i chose to visit brantan.....
(36) Ulun danu beratan are one of the popular destination not only for tourist but also for local people. There is some different for entrance fee between tourist and local. Idr 50/30 K. Mostly visit local student, asian tourist.
(37) Ulun Danu Bratan was my favourite temple (I did not get to the largest temple as it was during a volcano risk), nor did I get a chance to plan for this stopover it was a complimentary stopover. The day was very much like the featured picture, overcast but this did not detract from the grounds and main temple features.
(38) Ulun Danu Bratan temple is one of the beautiful temples in Bali set in a lakeside. I was here on a Ramanavami and the processions were lovely to watch. The weather was cold and the architecture was stunning. Only concern was that this temple has turned in to a selfie spot and wearing of sarong is not mandated. I had a great time at Ulun Danu Bratan temple.
(39) This is my first time visiting Pura Ulun Danu Bratan which located in Bedugul, Bali. I stayed at Kuta, so it distance about 2 hours to reach the place. It's tiresome tho, but it's worth it after all long ride.\n\nThis object is one of Bali's cultural park. You will find a very beautiful view, quite lake, the hills, temples, and green scenery for sure. Also, there's a playing park and some deer to see for the kids.\n\nIt cost 30k for foreign tourists and 20k for local tourists.
(40) Ulun Danu Beratan Temple is both a famous picturesque landmark and a significant temple complex on the western side of Beratan Lake in Bedugul, central Bali. The whole Bedugul area is a popular upland weekend and holiday retreat for locals from the more urban areas in the island's south. Ulun Danu Beratan, literally the source temple of Lake Beratan, shares the scenic qualities with Bali's sea temples of Uluwatu and Tanah Lot. The smooth reflective surface of the lake surrounding most of the temples base creates a unique floating impression. The misty Bedugul mountain range surrounding the lake complements the temple's scenic backdrop.
(41) Tuesday 10th September, we had finished our lunch at Puri Candkruring* and we walked through it's gardens to the shores of Lake Bratan*.\n\nIt was from here that we picked up our small wooden boat for our journey down the Lake to the sacred Ulun Danu Bratan Temple, the Guardian of the lake. \n\nThe Temple complex is situated in the very picturesque sprawling gardens by the lake with the mountains in the background.\n\nUlun Danu Temple is also known as Bali Temple on the Lake as it appears to be floating when the river waters are high. It did not appear very floating when we visited as the water was low, visitors were able to walk out to the Temple.\n\nIn the complex there is an 11 storey tower, Pelinggih Meru, which is dedicated to Shiva and his wife Parvathi. 11 floors in a tower is the highest level in floors in a Meru.\n\nEnjoyed our visit to this Temple however thought it was a bit commercial, not sure what Sponge Bob Statue was doing there. The swan pedalos also looked a bit out of place.\n\n* reviewed separately on TripAdvisor
(42) Ulun Danu Temple is located on top of a mountain and the temple is beside the lake. It has a cool weather. \nIf you get a chance, when a ceremony is on-going, you will appreciate Balinese culture more.
(43) A signature Bali sight, we had to visit it since we were nearby on a tour. It was the beginning of July and there was no water problem, the temples were floating. The surroundings are beautiful and the place has a nice atmosphere. We were fortunate as there weren't that many tourists there when we were visiting. Also there was a little zoo inside with bats and birds that we really enjoyed.\nI don't think it would be worth visiting if you didn't visit anything else in the area but If you have the time you should book a tour to see the twin lakes and also Ulun Danu.\nI recommend Bali Jungle Trekking tours: http://www.tripadvisor.com/ShowUserReviews-g297699-d6584167-r298481088-Bali_Jungle_Trekking_Private_Day_Tours-Singaraja_Bali.html
(44) It is so popular and an iconic spot, however we felt that it is overhyped. The entrance fee amount is not really worth it. We went during sunset however it was a cloudy day so didn't get to see the sunset plus you get to see the temple from a far off distance and you can't even feel the vibe of the place as it is filled with so many tourists all cramping up at one spot to get a picture of the temple in the background.\n\nIt is a complete touristy spot. We rather liked the Ulun Danu temple way better. It is serene, beautiful and a must visit. Next time we are in Bali we wouldn't mind visiting Ulun Danu yet again.\n\nAlso Tanah Lot has a market with souvenirs and clothes however we felt that you get those in other areas in Bali too and better quality as well. So we didn't even enjoy the shopping area there and did not buy anything from there due to poor quality.\n\nSo in our opinion we would say if you skipped this during your visit don't worry you really did not miss anything.
(45) Great temple, nice park and amazing views with the Bratan lake.\n\nIf i can give you an advice, you should come to Ulun Danu in the morning to avoid clouds. \n\nWe came from Ubud, but you can come from Lovina it should be less expansive but the road is more complicated (mountain road).\n\nLittle advice : When you go at Ulun Danu, don t forget to stop in a luwak coffee plantation ;).
(46) The Ulun Danu Temple is way up in the mountains at 1109 metres above sea level. It is at the lake and it is much cooler up there. It is a water temple and it is a good place to take families. It is a 3 hour drive from Nusa Dua
(47) This temple is the perfect location for that all important trip photo that you can be proud of, if you time your visit correctly.\n\nMy friend and I visited Pura Ulun Danu Bratan in November, the very start of the rainy season, however the rain hadn't started to fall just yet. As a result this lovely, almost floating temple, was actually surrounded by grass on three sides of the temple voiding the opportunity for the great photo shoot. \n\nAs with everywhere in Bali there are tons of temples, the main feature of this temple is the lake the temple is surrounded by, make sure you visit post rainy season as this is presumably when the lakes water levels are highest otherwise if you're from Europe you'll find locals and visitors wanting photos with you more than they do the temple. Strange experience to say the least.
(48) Ulun Danu temple is the most beautiful sight i have ever seen. I have visited many far east countries but this was the best. Utmost peace. Absolutely loved it & didnt wana leave from there. This is the number 1 place to Visit in Bali. You cant miss it at any cost
(49) ulun Danu bratan are a selection of temples sighted on and around a lake. Entrance to the site is 50K rupiah per person, be warned this site is extremely busy, at any time of day. There is no dress coded to speak off. There are chargeable toilet facilities 5000 rupiah, and catering facilities. Most of the site is accessible to some degree. There also appeared to be activities on the lake which you could participate in. One thing I have noticed at all these temples is there is a distinct lack of information at any site. If you dont have a good English speaking guide you will not have a clue what you are looking at, or there significance.
(50) A visit to Lake Beratans water temple Ulun Danu was worth the drive for the view of surrounding countryside and residences along the way as well as the actual temple itself. 50,000 IDR was the entry fee and extra for use of toilets. The surrounding gardens were well maintained but unusual with numerous animal statues that arent within keeping of the temple.
(51) Hi guys,\nThis is a large temple.\nNear a beautiful lake (Beratan). \nUlun Danu is really breathtaking. It is a spectacularly beautiful location. \nA lot of ceremonies. A very serene atmosphere. A lot of prayers and a lot of tourists.\nA must see in my opinion.\nRegards\nschliek
(52) Aside from the beautiful photo worthy temple floating on the lake, spare a moment for the magical location of it. Pura Ulun Danau Beratan is located 1,200 metres above sea level, in the caldera of the inactive volcano, Mount Catur on Lake Beratan/Bratan, which is the second largest lake in Bali. The gentle lake is framed by mountains, the setting is perfect in itself. \n\nWas a little disheartened on arriving at 3.30pm to find the temple shrouded in mist, however it only took 10 minutes to clear, to reveal the stunning temple on the lake. Be prepared for the throngs of people trying to capture that perfect moment along with you. \n\nPura Ulun Danau Beratan was built 1633 for the worship of the water goddess Dewi Danu. Opposite the temple is the large temple complex, with quite a bit to see, including the lovely Pentaran Agung Temple built 1634, the door on this temple is stunning. \n \nThere are over 8,000 reviews on Tripadvisor for the much photographed Tanah Lot Temple, while Pura Ulum Danau Beratan has just over 2,300, personally the latter is much more specky and the location cant be beat. There are a lot of people visiting, however it is nowhere near the crushing volume of tourists visiting Tanah Lot for sunset. So if undecided between the two, Pura Ulun Danau Beratan would get the personal vote every time. \n\nEntrance fee was IDR 50.000 and IDR 20.000 for domestic visitors.\n\nKebun Raya Bali/Bali Botanic Garden is only a short distance away and worth a detour, however allow plenty of time, as the garden is huge.
(53) LOCATION\n-The Ulun Danu Temple is situated at the Bratan Lake, Bedugul area.\n-It took about an hour drive from Mengwi.\n\nLOVED & FACILITY\n-The view was so beautiful.\n-The lake is so big.\n-Pura Ulun Danu has unique architecture structure.\n-It is a unique Hindu temple at the lakeside.\n\nWhat an exotic place to visit. You can take many good selfie photos in this wonderful tourism destination in Bali. Awesome!
(54) This amazing Balinese temple is located about 1200 metres above sea level in Lake Beratan. This entire area is full of natural beauty. Ulun Danu Beratan Temples popularity is that it floats on the lake. Fun Fact: The 50.000 Indonesian Rupiah note features the Ulun Danu Temple. And that is exactly what it will cost you.\n\nOnce you are inside the temples grounds, take your time, walk around and take in the beauty. The main things to do at Ulun Danu Beratan Temple are exploring by foot and even by little swan paddle boats. We spent just over an hour and we took our time walking around the grounds, took some photos and enjoyed a couple of peaceful areas we found. We ate at their buffet restaurant which was pretty good - look at separate review for that.
(55) This beautiful 17th century temple of Ulun Danu, which appears to float on the water, is dedicated to worship Dewi Danu or the Lake Goddess. Offerings are made at the temple on special festive occasions, as it is believed will bring economic prosperity to the area.
(56) Pura Ulun Danu Bratan is very popular when Indonesian government choose this beautiful site as then main background for Indonesian 50,000 Rupiah. This is my second time to visit the place, and I can compare that a lot of development are done well by the local government.\n\nWhen you visit to Bali, at least you need to spend time to visit this place. This temple are located in Ulun Danu Bratan lake, because near this lake, there are also another lake with another temple. So, you need to be careful. If you are from Denpasar, this site located in right position. Because after 10-15 minutes you will find another temple and lake in left side. So, there is 2 temple at the lake at both sides.. But, I prefer you to come at this place.\n\nWhen I visited this place, the water are not in around the temple, so some people can easily to take a photograph from the outside. People are not allowed to enter the temple, only \special people\" can enter, so dont hope to enter.\n\nIn conclusion, It was a very nice place. Good environment.. Beautiful landscape. But, I have some comments and suggestion for local government. When I got trip on there, beside this site there is a field with a dangdut show that organised by one of the leading automotive brand in Indonesia. It very annoy me. Why? Because the show just ruined the natural landscape of Bali, which you cannot find on Denpasar or Kuta. I think it should be better if local government adding backsound at the site like Balinese Traditional Music, so tourist can feel a very different ambience when entering this site."
(57) Pura Ulun Danu Bratan, or Pura Bratan, is a major Shivaite and water temple on Bali, Indonesia. The temple complex is located on the shores of Lake Bratan in the mountains near Bedugul. \n\nBuilt in 1633, this temple is used for offerings ceremony to the \nLake Bratan is known as the Lake of Holy Mountain due to the fertility of this area. Located 1200 m above sea level, it has a cold tropical climate.\n\nYou will love this place hence keep some time in your hand.\n\nYou can have lunch inside the temple premises.
(58) Pura Bratan, is a major Shivaite and a lakeside temple and gives you peace in real sense. The temple complex is located on the shores of Lake Bratan in the mountains near Bedugul. The lake makes the air cool and soothing and one can sit for hours depending on the time available.
(59) One of the most beautiful temple in Bali, located just in the side of beratan lake at tabanan regency. If uluwatu temple is impressive because located at the sea drop around 250 feets, then ulun danu was stunning because of the its location in the great lake with mountain of Batukaru as background. Best time to visit this temple according to me either in the morning when the air still cold with little fog around the temple, or in late afternoon before the sun goes down makes very calm scenery of the temple.\nAround the temples there's sidewalk,place you can sighseeing or taking pictures. I really recommend for any visitors who visit ulun danu, also visit other tourist attraction nearby like candi kuning market, botanical garden, strawberry farming and git -git waterfall.\nOn the way to the site,be prepared to frequent stop due nice view along the way. Rent a convertible car or scooter might need to consider.
(60) Ulun Danu temple was a little far towards the north. It took us almost 2 hours to reach from our hotel. I found this to be better than the Tirta Empul as its surrounded by a lot of greenery and is on a lakeside. Youll have to buy tickets here again, its 50000 IDR per person if im not wrong. The temple is well maintained and has a lot of ancient architecture.\n\nApart from the temple, the premises are filled with colorful flower plants, they have a small restaurant with lunch buffets available. On your way out youll find a lot of shops selling handicrafts, youll need some bargaining skills here.

View File

@@ -0,0 +1,64 @@
[TOPIC] 26
[Stats] N=60 | Source=../data/original/reviews.tab
(1) The name of Pura Ulun Danu BeratanTemple is taken from the lake where the temple is built at Beratan Lake. As far as temples in Bali go, this is one of the more relaxed friendlier temples to visit. Once inside you may wander at your own leisure amongst the beautiful gardens down to the lake without being hassled as in other temple precincts in Bali. Guides are available but not compulsory and we found many Balinese locals only too happy to explain things to us. On the day of our visit a religious ceremony was taking place yet the locals were fine with the tourists invading their space and only too happy to accommodate us. The view of the lake and temple is wonderful and the altitude induced cool foggy weather adds to the atmosphere. In fact the cool weather was quite a shock to me in Bali. I thought it was hot everywhere. If you want to view a temple without the hassles or pressures of Uluwatu, Besakih or even Tanah Lot, this is probably the place for you. The drive to Ulan Danu is quite enjoyable also. In all I think it's worth the visit...
(2) Many people come here to view the wonderful temple which at the time of planning our visit was our main intention but to be honest we spent more time in the shops that lined the path to the temple´s main entrance. Not many people were buying things from the shops when we were there as maybe there is a common misconception that prices must be higher because the temple is very popular destination for foreign tourists. To our surprise we found many items available here that were far more cheaper here than what we managed to find on other parts of the island.\n\nOf course the temple itself is spectacular but unfortunately the complex which houses the temple was extremely crowded on the day that we visited. If we had to choose between here and the temple in Bedugul (Ulun Danu), Bedugul would win hands down every time. Ulun Danu is far less crowded and in my opinion more aesthetically pleasing.
(3) The traffic up to Ulun Danu Bratan was horrific - it took nearly three hours from Ubud, though, granted, it was a public holiday. It is a potentially beautiful setting, but the crowds or deomestic visitors detract hugely from it and make it near impossible to get any decent photos. Perhaps this is only because it was a public holiday, but that is the only experience I have of this sight. Don't expect a peaceful lake either - it's full of speedboats which are for rent alongside the temple. I'm glad I ticked this one off the list - the temple itself is stunning - but, to be honest, I left feeling very disappointed. There's not much exploring to do here - though be sure to pick up some strawberries from the nearby market or roadside vendors!
(4) Great place to visit. Located on the lake with mountains on the back drop.\nBest to visit along with Pura Tanah lot and Pura Taman Ayun on your way to your hotel in ubud. (These three spots will take a full day)\nTakes 1-2 hrs.
(5) Ulun Danu Bratan Temple is located by the Lake Bratan, Bedugul, Tabanan Bali. It is one of the three sacred temples by the lake honoring God for His gift of water and irrigations and becoming a popular tourist destination. The temple court were expended to accommodate the visitors and looks more beautiful. It is a wonderful place for walking, refreshing and recharging one spiritual life. Highly recommend this Balinese holy place.
(6) If you are staying in Bali around the Nusa Dua / Jimbaran area and have only 1 day for site seeing, I would recommend going to the Tanah Lot Temple, the terrace rice fields at Jatiluwih and the Taman Ayun Temple. \n\nThis would take a full day (approx 8-9 hours). Traffic is quite horrendous, so be prepared to spend a good part of the day in the vehicle. The good thing is that renting a car with driver is quite affordable in Bali. A Toyota Innova (6 seater MPV) rental from Golden Bird is IDR140k (about USD10) per hour with driver. Min rental of 3 hours. I would recommend renting from Golden Bird which is a well reputed company in Indonesia.\n\nThe Taman Ayun temple is a beautiful 17th century temple with its magnificent Balinese style tower. The temple is located south of Jatiluwih and is a convenient stop on the way to the rice terraces.\n\nThe Jatiluwih rice terrace with its beautiful rolling mountains and greenery is a sight to behold. The Jatiluwih rice terraces is a UNESCO world heritage site. Along the way, there are restaurants where you can have lunch and enjoy the view of the rice terraces.\n\nA recommended stopover along the way to Jatiluwih is to try the Luwak coffee which Bali is famous for. Luwak coffee is processed from coffee fruits eaten by the civet cat. There are several plantations which have shops that serve the coffee drink including a short demo on how the coffee is processed. Interesting!!\n\nIf you have more than 1 day for sight seeing, you can consider going further up north to the Ulun Danu Beratan temple which is a temple by a huge lake. It takes about a 45 minute drive from the Jatiluwih rice terrace. If you do decide to go to this temple, you probably would not have sufficient time to get to Tanah Lot and would have to make Tanah Lot a separate trip). I had previously visited the temple and to me, can give it a miss.\n\nOn the way back towards the south, stopover at Tanah Lot in the late afternoon. Tanah Lot is an impressive temple perched on top of a rock outcrop at edge of the sea. The temple itself is quite small but the surrounding area with its huge sea waves make it quite a sight especially during sunset.\n\nIf you only have 1/2 day to spare, then I would suggest going only to Tanah Lot temple which will take about 4 hours, starting from Nusa Dua. \n\nAttached pics of Taman Ayun temple, Luwak coffee, Jatiluwih rice terrace and Tanah Lot temple.
(7) Pura Ulun Danu Beratan, or Pura Bratan, is a major Hindu's water temple on Bali, Indonesia. The temple complex is located on the shores of Lake Bratan in the mountains near Bedugul. The temple is located just outside of the town of Bedugul in the highlands of Bali. It takes 90 minutes or more to reach Ulun Danu Temple from Ubud and more than three hours to get here from Kuta, Seminyak or Legian. If you want to get a great photo, the best time to visit the temple is for sunrise
(8) Ulun Danu Bratan temple is the icon of Bali, which means you must visit this place! One of Wonderful temple in Bali, you can also rent a boat to take good picture around the temple. And if you already visit this place don't forget to visit Handara golf & resort (search it on google) such a beautiful gate in Bali, cause this gate is not far from ulun Danu Bratan temple, make sure you don't miss it.
(9) Ulundanu Temple is one of the destinations that can be said wrong tourist destination in Bali. Where this place has a complete feature, from the beautiful garden, sacred temple, the scenery of the lake and the hill is very beautiful. So it is suitable to visit here and the atmosphere is very cool because it is in the highlands.
(10) This is another amazing temple in the river Bratan (yes, its in the river itself, even though there are some structures made on its banks too). We saw people doing boating here. This is the temple which is featured in their 50,000 notes. This temple is for the river Goddess Danu. This place gave some excellent views. There is a nice restaurant inside the compound.
(11) Ulun Danu Bratan Temple is located with a quiet lake around, flowers, mountains etc that make a very beautiful picture. Entrance fee is Rp$50,000/person.\nIt is nice to walk around.
(12) Ulu Danu Bratan Temple is located on the shores of Lake Bratan near Bedugul. It was built in 1633 for offering ceremonies to the Lake & River Goddess, Dewi Danu as Lake Bratan is the main source of irrigation & water in central Bali. Since Lake Bratan is 1200 metres above sea level, the air is cool & refreshing in Balis tropical climate while its beautiful mountainous landscape attract many to visit. \n\nUlun Danu Bratan Temple consists of 3 shrines. The 11-story thatched roof shrine is dedicated to God Vishnu while the 7-tiered thatched roof shrine is for God Brahman & the 3-tiered thatched roof shrine is for God Siva & his consort, Parvathi. There is also a Buddha statue on the temples ground. Ulun Danu Bratan Temple has also been nicknamed the “Floating Bali Temple” as when the water rises, the temple looks like its floating on water.\n\nThe temple is open from 8:00 am 6:00 pm. Theres an entrance fee of IDR50,000. Parking is also chargeable. The surrounding temple area is believed to have been a worship site & centre for religious rituals since the megalithic period. A sarcophagus area lies to the left of the temple. Stones that were arranged or placed in a 3-tiered circle with a triangle on top became a popular prop for photo opps. Other props include an alter made from the erected stones & a cave which people flock to for photo opps. \n\nThere is also a huge field near the temple which is very well maintained. We saw a stage which was set up for the Ulun Danu Festival & an Ulun Danu Bratan Homepod which is a permanent feature. There were many yellow coloured umbrellas & props too. Most probably they were for the religious festival. \n\nOur tour agent brought us to an enclosed area. We saw a mousedeer in a cage. To get its attention, we fed it some leaves & plants. It was such a nice experience! The mousedeer looked as if it was comfortable in the presence of humans. \n\nWe would encourage you to visit this beautiful floating temple if you have time to spare as it is such a beautiful view with the Lake Bratan in the background.
(13) Pura Ulun Danu Beratan is located on shores of lake Beratan in Bali, Indonesia. Believed to be built in 1663, it is a major Hindu Shivaite temple . This amazing temple is located 1200 mts above sea level. From Seminyak, Bali this temple is a drive of 2.5 hours. There is an entry fee of IDR 50,000 per person to this place. The usual opening hours are from 8 A.M to 6 P.M\nThe temple grounds are spread out with lust green vegetation. There are well laid out pathways leading to the edge areas of the Beratan Lake. The location is scenic and a very good photo spot in Bali. The place has many public facilities like Toilets, restrooms, food, shopping and of course parking.
(14) Compared to the frenetic pace of the rest of Bali, Ulan Danu is so peaceful. Despite it also being a huge tourist attraction, the lakeside and mountain setting, and spacious gardens, provide and serene and calming setting.\nThe small temple is located on an island, but that depends on the lake level, so it can be walked around at times.\nIt is as beautiful a location as any in Bali and worth the trip.
(15) Although the journey to get there is quite tiring, due to the road uphill and heavy rain. But when it gets there can see a vast lake, cold dew. The temple is located on the lake, very special with a unique building. Me and wife was very happy to visit Ulundanu temple.
(16) My favorite destination in Bali. Ulun Danu Temple sits next to a lake that makes the view spectacular, not to mention the cool breezy climate. The temple is dedicated to the Goddess of Water, and is the most photographed temple in Bali. On the day that I visited, local Balinese Hindu residents was doing a ceremonial offering so it was quite a scene to witness it.
(17) Ulun Danu Bratan Temple is a peaceful and elegant temple that appears to float on the lake! The temple is beautiful and the site was not busy with tourist! Definitely worth at look if your in the area!
(18) 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!
(19) If you love Balinese architecture then you must visit the Ulun Danu Bratan Temple. It takes approx.1 hour and 25 minutes to reach the temple from Ubud (45 kms)\nThe best way to reach the temple is by self driving a scooter (make sure you carry your driving license) \nLocated approximately 1200 meters high above sea level the drive to the temple is very scenic. Located on the shores of Lake Bratan in the mountains, the complex is dedicated to Lord Shiva.The mountain range of the Bedugul region encircling the lake provides the temple with a scenic backdrop. Visit this temple to admire the stunning architecture, enjoy the scenic landscape and feel the cool breeze. \nOne can also go for boating in the lake. \n\nAdditional Tips:\n\n1) The best time to visit the temple would be early morning since it's less touristy + you will have enough time to explore the complex and indulge in boating and other activities. \n2) There is a small restaurant where you can enjoy a coffee break and dig into some snacks.\n3) Toilets and washroom facilities are available. \n4) After visiting the Ulun Danu Bratan temple, you can also cover the Banyumala Twin Waterfall + Jatiluwih Rice Terraces on the same day. Make sure to add these 2 locations as well. \n\nTime Required - Around 1-2 hours (depending on how much time you would like to spend there)\nVehicle Parking - Free\nEntrance Fee - 7,500 IDR\n\nThanks :)
(20) Pura Ulun Danu Bratan, or Pura Bratan, is a major Shivaite and water temple on Bali, Indonesia. The temple complex is located on the shores of Lake Bratan in the mountains near Bedugul. \n\nBuilt in 1633, this temple is used for offerings ceremony to the \nLake Bratan is known as the Lake of Holy Mountain due to the fertility of this area. Located 1200 m above sea level, it has a cold tropical climate.\n\nYou will love this place hence keep some time in your hand.\n\nYou can have lunch inside the temple premises.
(21) We rented motorbike from Ubud and reached to Ulun Danu Bratan Temple in the afternoon. It was fully crowed and unfortunately, there was no water around the temple which is part of the beauty of this place according to the pictures...\nA little bit disappointed by the temple itself but otherwise the park surronding the temple is also worth to see.
(22) UlunDanu temple situated at Lake Bratan is one of the water temples of Bali.We visited this temple at sunrise as a part of our photography tour.We were greeted by a breathtaking scenery unfolding as the first rays of sun hit the temple.This place is amazingly scenic;truly a photographers paradise.The best time to visit will be at sunrise because as the time time passes the lake and temple gets covered by mist and of course there will be no crowd !The lake also has boating facility.Bali tour is incomplete without a visit to this place.Highly recommended
(23) Pura Ulun Danu Beratan is on the 50K Rp banknote. It makes for lovely photos, and that's about it. You cannot enter the temple and there is nothing else of interest. Go there early where there are fewer tourists around. The light should be better than in the afternoon. Do note that all those nice images of the temple on the Internet and guidebooks are taken during the wet season when the lake water level is higher. Otherwise most of the temple is surrounded by grass. \n\nEntrance fee is 30K, parking is 5K. Toilets are 2K.
(24) So say you are in Bali... The land of Temples... And have time to only see on temple... If it were me I would choose the Pura Ulan Danu Temple.... It is just a totally peaceful place (even with bus loads of tourists around). The temple is out on the lake (we were told that it is accessible at times by foot at low tide???). And the fact it is out it the lake makes it even more beautiful and peaceful. You don't have a million sarong clad foreigners attempting to visit the space. The Ulun Danu just sits apart from the world. The other benefit in visiting the temple is the Bedugul area that is high in the mountains and cooler in temperature. Stop by any of the roadside stands for some fresh strawberries. We paid 30,000 idr per person entrance fee ($2.60 USD) - If you had a 50,000 idr to pay with - you could turn the bill over and see a picture of this temple printed on the bill. The one temple NOT TO MISS!!!
(25) Ulu Danu Bratan to me was one of the most beautiful temple that I have visited during my Bali trip.\n\nOnce 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.\n\nI would surely recommend a visit here.
(26) Lake Danau and the Pura Ulun Danu Bratan, bedugul - a very famous attraction in Bali and one not to be missed. The temple sits on the shore of the lake and even thought it had rained when we arrived it did not detract from it's beauty. It had a very ethereal and calming atmosphere about it. The lake and temple is 1200 metres above sea level with a very cool temperature and because of this the clouds form just over the lake. If the weather had been a bit better we would have rented a boat to take us around the lake. This is one of the very picturesqued temples in Bali and glad that we did the tour.
(27) come to Bali are not complete yet without seeing this Ulun Danu temple. this temple situated at 900 meters above sea level. with situated at great caldera of anccient volcanic mountain, bringing you with cooling weather . Ulun Danu temple located at Beratan lake,second largest lake on this Island. with three layer of roof shrine as local people call 'Meru' symbol of the mountain,where god take place as a good energy vibrating down to the lake . bringing good,and positive energy of tought to peoples .\nUlun Danu temple also as we able seen at 50k indonesian note bill.beautiful garden also abl been seen around this site,and traditonal fruits market also able be visiting along the way or after the trip to Ulun danu temple. make sure are cousious with the invitation of the stalker.
(28) Ulun Danu is another not-to be -missed temple in Bali. Though Bali is Land of a Thousand Temples, this one tops the list of a must -see. It is about 50 km from Denpasar and situated in a plateau with cooler temperature. \n\nIt is a very picturesque temple on a lake with beautiful verdant hills as backdrop. It has 4 temple complex that are all intricately carved the Balinese style and painted golden yellow. It has a small but well maintained botanical garden and a large covered court which is used for regular ceremonies. It is well worth a visit.
(29) There are 6 or 7 pura in this area but we just go to the second pura because i'm bring my 2 kids. higher place will have more beautiful scene. you can see Agung Mountain , when you standing highest stair step between the Pura gate you can see a lot more and realize that we are So Small compare with the nature. if you afraid of high bring someone near you :)
(30) The surrounding area of valcano Mount Batur is worth visiting on way to Ulun Danu Batur Temple. It has to be combined with temple if you are not treking in the area. Nice place to have lunch and watch the beautiful lake & the valcano.
(31) I visited around 4 temples in Bali ( except Besakih temple) Ulun Danu is the best since its located beside the lake which has a perfect sceneries view while visiting the temple. it is recommended to have a drone in this place :)
(32) In two minds whether to score Ulun Danu for what it could have been, or what it is, now. Entrance fee is UDR50K at present, per person, with additional fees for use of the lavatories. Once in, the nicely tended gardens lead you down to the lake shore.. together with a couple of hundred others. The enigmatic temple on the shores of Danau Beratan give a glimpse of what it might have been like decades ago..but the selfie waving sticks of the massed throngs, the SpongeBob square pants signs, and the occasional roar of the power boat scything to the jetties bring you squarely back to the present.\nBest enjoyed in the solitude of the pre-dawn...if you can get in..
(33) Perhaps the most photogenic temple of Bali, Ulun Danu Bratan is spectacular, beautiful and amazing. It was a very long drive to get to it but it was well worth it, as the location on the edge of Bedgul Lake, its architecture and background make it unique and not to be missed.
(34) We continued to our second destination by Dream Cruise to Indonesia. North Bali is first time visited by large cruise ship; we have to be transferred to the smaller feeder boats in order to reach the land.\nIt took more than 2 hours to reach Lake Buyan and Tamblingan and we have a good overall view of the Bali twin lakes. The air was good as we're at the misty tops of the mountain.\nTemple Ulun Danu is a very scenic place of worship. The temple represents the best of north Bali.
(35) Ulun Danu is truly stunning. Unlike Taman Ayun temple, which is surrounded by a moat that tourists are not able to cross, Ulun Danu is busy with tourists, even during a non-peak period like now. Busloads of tourists swarm in and it is difficult to get a good photo... I recommend coming here only on your way to Jatiluwih, and 30-40 minutes should suffice. It gets cool up here, so it's a good idea to bring a light jacket. (Decent bathrooms here also!)
(36) We hired a taxi to visit this place from Ubud Palace. In this full day trip we clubbed Tanah lot , Ullun danu Beratan, Taman Ayun Temple , coffee plantation and one rice terrace view lunch. \nThumbs up to- \nLake view,Lake breeze,ample places to click photo, ample places to sit and relax, nice restaurants.\nIn the evening at around 4 they had Kecak dance which was very nice.\nI highly recommend this place.
(37) 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.
(38) When I walk to the temple. I cross beautiful garden, and small candi, The temple was at Bratan lake (behind the garden). The place was good, nice weather. \nThe garden was huge and many beautiful flower and tree. This place was good to snap picture.\n\nPura Ulun Danu was nice, peace place, on the water, quite surrounding. \nDefinitely must visit
(39) Pura Ulun Danu Bratan is a major Shivaite and water temple on Bali, Indonesia. The temple complex is located on the shores of Lake Bratan in the mountains near Bedugul.\n\nGood garden in front which leads to this beautiful temple, suddenly started raining so we could not take much pictures..\n\nBeautiful location. Must see in Bali
(40) From Ubud you will drive anywhere from 90 minutes to two hours to reach Ulun Danu Bratan Temple. This temple is one of the most visited in Bali so be ready for the crowds of tourists and worshippers. You will pay a minimal entrance fee with my visit only lasting about one hour. The complex contains many restaurants and souvenir shops which for me did detract from the spirituality of the temple complex.
(41) Ulun Danu Bratan is situated alongside a beautiful lake, in a lovely mountain setting. The complex is huge, with extensive gardens and grounds. We were fortunate to visit on a festival day, during a celebration of the anniversary of the founding of the temple. There were throngs of visitors, all dressed in their best and bearing offerings for the temple. There were banners and bands, processions and singing; it was colorful and inspiring.
(42) Ulun Danu Bratan is a temple set in a gorgeous lakeside area high in the mountains of Bali. The displays of flowers and trees are wonderful and extremely well kept. There is a restaurant on-site along with a snack bar. Prices are minimal, but the entrance fee was IDR 50,000 (USD $3.50) which is high for Bali - but it is a very worthwhile stop. The setting of the temple among the flowers with the lake in the background makes for a stunning memory. No sarong is necessary.
(43) The temple honors Bratan lake and river goddess Dewi Danu, since the lake is a main source of irrigation in central Bali. The scene is unforgettable, the peace, the nature, the vibe. It's build out of love & respect and you feel that once you're there.\n\nThe surrounding gardens are beautiful and there is also a restaurant with both buffet & menu.
(44) If you had enough sunbathing, want to escape the humid weather, drive uphill to reach this pleasant region of Bedugul to doak up your eyes with smazing scenary of lake Bratan and enjoy the wonderful weather. The Pura is well msintained and the lake brings the calm into your baked skin from the beaches in sunny bali.
(45) If the phrase \Drop Dead Gorgeous\" could apply to any place then Pura Ulun Danu Beratan fits the bill perfectly. Located in Bedugul atop the mountains, this scenic temple situated on the Beratan Lake (the second largest lake in Bali after the one in Batur) has breathtaking views, cool mountain breeze and misty forest tops. No wonder this is one of the must see places in Bali. Have your cameras ready!\n\nWe were fortunate to see the festival dance during our visit and the music is so unique and refreshing. The devotees clad in traditional costumes worshiping at the temple were a treat to watch.\n\nThe temple has a nice Indonesian restaurant serving good buffet food. It also boasts a playground to keep the young ones busy and happy. We greatly enjoyed boating across the serene lake soaking in the great scenery. Clearly, this was one of the highlights of our trip. \n\nRecommended to visit on sunny days. As this temple is at a higher elevation, it tends to get very cool as compared to the Bali beaches.\n\nTemple Entrance Cost (in IDR): 30K for adults; 15K for children\nBoating Cost (in IDR): 125K for 3 adult boat; 152K for 4 adult boat"
(46) This beautiful 17th century temple of Ulun Danu, which appears to float on the water, is dedicated to worship Dewi Danu or the Lake Goddess. Offerings are made at the temple on special festive occasions, as it is believed will bring economic prosperity to the area.
(47) My pictures in Ulun Danu cannot justify the beauty of this place! \n\nIt was a great place to do photo-op. There was a sort of political meeting also when we went there so the temple was packed with people. But it didnt stop me from striking a pose on the wonderful scenery. \n\nYou can rent a boat and make your way to the temple although you are forbidden to go inside. Our tour guide provided us with a background of the cultural heritage of this place. \n\nA must go to place when you visit Bali.
(48) Ulun Danu Bratan temple is a major water temple which lies in the picturesque Bratan Lake in Bedugul area. It takes about 1 hour 45 minutes to get to the temple from Seminyak area by car. The temple area costs Iaround $2 for the entrance fee and it closes at around 4 pm (last admission). Located 1200m above sea level, the area has a cool tropical climate and it is foggy sometimes. The temple is not only important for the Hindu offerings, but the lake also acts as main water irrigation for its surrounding. You can go earlier in the morning to avoid the crowd.
(49) About an hour and twenty minutes away from Ubud you will find the temple Ulun Danu Bratan. My butt is going numb from the non stop scooter drive and in my mind I keep wondering whether or not this will be worth it, what if it is just another tourist trap? The temple grounds are easily found and decorated with big signs that advertise the Bratan glory and before even entering the premises you pass through two pay points, aka parking and entering fee. The grounds are rather small yet very well kept and even though it isn't the main attraction it is rather nice to walk around the green patches. Besides the pretty scenery of the mountains surrounding the temple you also have some information points, which unveil the history of the village of Bratan. On the other hand you also have the restaurants, snack bars and gift shops to think about making the venue more touristy than one might like, however I do understand that it is nice to have some food and drinks at hand. In conclusion I think it depends on who you are as a person, if you are there for a great story or some inspiration for art or architecture the place becomes a vision, but if you are just checking it off a list it is rather touristy and you might as well only visit one temple.
(50) This place is one of well-known pura (Hindu prayer place/temple) in Bali. Located in edge of Beratan lake, Bedugul. Its unique structure building combined with gorgeous lake view will satisfy anyone needs to take pictures.
(51) me and my guest visit ulun danu beratan temple it was very fresh and the weather sunny day \ni love this place and highly recommended
(52) Situated on Lake Beratan - the very picturesque Ulun Danu Bratan Temple is worth a visit. I would recommend a morning visit. We enjoyed less crowds which made for a more quieter & surreal experience. Also the morning light & less people made for good photo opportunities. Finally the morning temperature was more comfortable to enjoy the beautiful surrounding gardens & lake & find a good quiet spot to sit & enjoy the scenery.
(53) Although fairly busy we loved visiting the Ulun Danu Bratan temple.\n\nWe were lucky there was a Balinese dance exhibition on inside the gated area near the temple so after watching this we wandered over to the temple itself. The backdrop of the lake and mountains is just stunning and the whole area is immaculate.\n\nA must see when visiting Bali.
(54) Pura Ulun Danu Beratan is an important and much visited temple. Whilst there are always many tourists there, its importance is far more significant, of course, to Balinese worshippers. There are stunning photos to be had, quiet corners to reflect in and, inevitably, large numbers of people from Bali, elsewhere in Indonesia and overseas. Always a pleasure to visit, in good weather or bad.
(55) I, personally, did not like this place; probably I was disappointed. Ulun Danu's pictures are everywhere but was you see in the pictures is what you get. There's nothing there expect this temple. You can't even enter it. You can just pose in front of it and take a picture. You can pass by if you were in the area but don't make the effort to take the long drive to get there.
(56) I have visited Ulun Danu bratan during my Bali trip. This is must see attraction of Bali and do not miss this attraction. To see the temple from every angle do the speed boat safari in the Baratan Lake which is just at the bottom of the mountain ranges. The place is really nice to spend time.
(57) 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.\nWe enjoyed the serenity of the place, it lovely garden and the spectacular view of the mountains and the lake.
(58) Visited August 2015:\n\nSince Ulun Danu is found on the higher part of Bali, the breeze was cooler compared to going around Nusa Dua and parts of South Bali. If you've been to Baguio, Philippines during the summer, that's how the weather felt like when we visited the temple. We got there almost after lunch time so the sun kept us warm, I wasn't wearing my cardigans while we were going around. The lake beside it looked foggy so we didn't really get any good photos of the landscape. \n\nI was actually expecting a religious place however it looked more as a touristic spot compared to the other temples we visited. Another would probably be the water was too low, thus we really didn't get to see the temple float atop the water. \n\nAnd since I am fond of animals, I did not enjoy seeing the photo booth with chained animals before the exit (if you go around), I feel bad that they're using the birds for touristic purposes. That really made me disappointed. If they were to put them in a conservatory and actually take care of them I'd probably visit that place.
(59) Known as Lake temple near Bedugul beautiful Hindu Temple is surrounded by lush green mountain,Hindu Ulun Danu temple is situated on the middle of the lake,its very beautiful and charming relaxing place an entry fee of 50,000 Rp./person which is approx 3.5 USD. The temple area is huge and decorated with beautiful garden and various flowers,one can also enjoy speed boat to enjoy the lake there are several places inside the compound for some lovely photography,one can buy souvenirs and local dresses,if you are hungry you can enjoy lunch in the restaurant,but you want to save some money then buy foods on the parking area local food court.A must visit place for all tourist.
(60) Ulun Danu Bratan Temple represents the Trimurty God of Hinduism.This temple is situated north highland of Bali island.A huge beautiful lake is situated close to this temple.The weather is cool.A piece of beautiful history. A must see in Bali.

View File

@@ -0,0 +1,64 @@
[TOPIC] 26
[Stats] N=60 | Source=../data/original/reviews.tab
(1) Ulun Danu is my favourite place at Bali. This is my second time. The first time in 2004, when i had my honeymoon\nThe place very clean\nAlways want to come back\nMust visit place
(2) This temple on Lake Bratan is dedicated to the lake and the water goddess Dewi Danu, without whom there is no water to feed the irrigation systems that sustain the rice crops of the island, hence her importance. The lake formed in the caldera of an extinct volcano and you can see this forming a dramatic 360deg ridge surrounding the lake. The setting of this place is stunning and the beauty of the temple incomparable. A must see visit on the way north or if youre nearby.
(3) We (a couple) visited Ulun Danu Bratan Temple, also known as the floating temple, during low water at noon. As a result, this temple was rather chilling on the ground rather than floating in water. We even had a chance to walk around it.\n\nEven that we were a bit disappointed, we still enjoyed the view of the temple as well as its surroundings (lake and mountains arround). The weather was refreshing because of fog in the atmosphere that brought some mystery to this place.\n\nThe amount of tourists (as everywhere in Bali) was huge. However, all of them were hanging around the temple making nearby territories be quite empty to enjoy privately the place.
(4) How I regret not being to Ulun Danu Bratan Temple when I visited Bali this October 2018. Despite having a car booked for myself for the entire day I had to ask the driver to take me back to the hotel to escape the unbearable Indonesian Heat of the sun. \n\nBut as they say there's always a next time. I am sure next time I am not going to miss this gem of a beauty. Keeping fingers crossed for another visit soon.
(5) I came to pura ulun danu at Nov 13.. I drove my rent car for about 2 hours from Kuta ( where I stay ). its very faaaaarrrr away from Kuta.. And u have to becareful driving to there because the road is up and down and very sharp.. U need to have a good skill of driving if u want to drive by ur self.. But overall its wort to visit.. A very beautiful place.. A temple that surounding with water.. My family love this place.. We can see the real place that I ussually see in 50.000 IDR's picture..
(6) As many visitors before me have said: a magic place. Beautiful well cared clean gardens and so much to see! On the day of our visit it was cloudy and foggy, on occasions it was even raining! I'd like to see the place on a sunny day - I can only imagine all the vivid colors of flowers, statues, boats ... even numerous visitors (especially female ones) in colorful dresses would look more cheerful with some sunshine. I wanted to try charming swan-shaped boats but weather did not permit us to do it.\nTake my advice: check local weather forecast before visiting Ulun Danu - you can gain a lot visiting it on a sunny day.
(7) Ulun danu temple was very serene but was away from kuta area. Background view of lake was breath taking :)
(8) This was the last of the three temples we visited on our Bali day tour. We had visited Ulun Danu Bratan and Taman Ayun as well. This was fitting being our last temple since it is actually on a rock formation in the sea and closest to the resort area of Nusa Dua where we would be staying. It was high tide so we couldn't actually walk to the temple. The scenery along the coast by the temple is stunning. It is quite a commercial area filled with vendors selling souvenirs. Nevertheless it was still very worthwhile to see.
(9) This temple was built in 1926, is the second most important temple complex of Bali, after the mother temple Besakih. “Ulun Danu” literally translates as “head of the lake”.\nUntil 1926 the temple and the village of Batur were located down in the caldera, at the foot of the Batur volcano. After the volcano erupted violently in 1926, both the village and the temple were destroyed except for the most important shrine, an 11-tiered meru dedicated to Dewi Batari Ulun Danu. The villagers moved to the highest and oldest rim of the caldera where they rebuilt their village and the temple.\nThis is a must visit.
(10) Our first time in Bali & we did a lot in 1 week. We went to Uluwatu & Tanah Lot, both for sunset but the weather wasn't the best & neither were our photos. On our very last day in Bali, we squeezed in Ulun Danu temple - we had to, of all the places we had been to, we just hadn't gotten that perfect landscape photo - until this day. \nThe weather was much nicer here, nice breeze, less crowded, the temple on the water with the low clouds was an amazing sight. There were other photo opportunities around the gardens also with the balinese architecture. This place ended our Bali trip on a high note and we were so glad we did it. \nWe were staying in Ubud, it was a long drive, maybe just over an hour each way, well worth it.
(11) The Ulun Danu Bratan Temple is well worth a visit, although try to include other activities on the way. From Kuta it took 2 1/2 hours to get there, due to traffic.\n\nThe temple is next to the lake, where you can't take a bad photo ! In addition there are some water based activities that may interest and the Canon photo guys taking snaps and selling you a printed copy (price unknown).\n\nOn exit there are a number of no pressure market stall selling all of the usual gifts.
(12) Ulun Danu \Pura\" (or \"Temple\" in Balinese) located in Bratan Lake seems like floating in the water. It is a worship place for Balinese people. The lake is very large and clean. They also have beautiful garden around the area and also a restaurant. The temperature is a little bit cold since it is located in plateau area and the air is very fresh. To enter this area, you need to pay the ticket around Rp20.000/person."
(13) Ulun Danu Beratan Temple is a Hindu holy place located at the end of Beratan lake, which is in the Bedugul tourist area, Candikuning village, Baturiti district, Tabanan regency, Bali. \n\nUlun Danu Bratan Temple is a Hindu holy temple that is very famous on the island of Bali and when the lake Bratan water rises / rises the Ulun Danu temple will look like it floats on water.\n\n Visiting Ulun Danu Beratan Temple, travelers can enjoy the uniqueness of the temple and the beautiful natural surroundings. The atmosphere is beautiful, cool and clean air begins to feel since tourists set foot on the parking lot to the temple.
(14) Ulun danu temple in Bali is one of the finest temples. It should be on one's priority list of sightseeings and shouldn't be given a miss. We went there in the afternoon. By Gods grace the weather was very pleasant and the scenery was just addictive. Hired a local for the whole day for full day tour to other sights as well.Local shops outside the temple provide good articles at reasonable price.
(15) Ulun Danu Temple is very scenic and the temples on Lake Beratan are beautiful. The gardens are nice and the whole area is quite large. It is worthwhile to visit this temple if you are in the area, however it is quite far away.
(16) Ulun Danu temple is simply amazing. Never seen such a beautiful temple. Surrounded by lake, mountains and lots of flowers. You can get numerous pics and even get instant pic at 20K IDR and take it as a sweet memory. Just sit and enjoy the majestic beauty. So calm and peaceful. Although crowded but still ample space to just sit and enjoy the serene beauty. Number of shops outside to take home some souvenirs ( P.S. bargain to the extent possible). Must visit while in Bali.
(17) We were lucky to go to Ulun Danu Temple when there was ceremony on. It was so colourful....better than any pictures I have seen on the internet.The lake with the mist gave that eerie background to the beautiful temple and the flowers surrounding it. There are even bright animal sculptures as well as gigantic fruit sculptures throughout the magnificent gardens. Definitely a must for any visit to Bali. I am hoping to go back on my next visit to Bali in August
(18) Ulun Danu Temple by the lake is a poster of Bali scenic beauty. The lake is located high on the mountains. The whole atmosphere exudes serenity and heavenly peace. One can spend several hours marveling at the ancient temple with its timeless beauty. However, it is more than two hours drive from Kuta beach, the popular tourist area. There are other things to do, including boating in the lake. Benegul fruit market is just around the corner along with many restaurants. Do not forget to take your camera to have memorable pictures. A must see when in Bali.
(19) Bali has thousands of Temples and each has its own unique dedications, architecture, design and location. Each regency of Bali has amazing temples to offer and each has their own symbols. One of Bali's Holiest and most Spectacular is Ulun Danu Temple located near Beratan it is dedicated to Lord Vishnu. Getting here you must take car or bus. We took a private car who drove us here and going uphill at an elevation of 1200m you will witness the beauty of the Bedugul mountains in Central Bali. Entrance fee is around 50K IDR and this will grant you access inside the complex that includes the main shrine plus the majestic and very still Lake Beratan and its holy water that serves irrigation for Central Bali and is dedicated to River Goddess Dewi Danu. As you enter the complex you will be greeted with a beautiful garden similar to European style with grasses and flowers beautifully crafted and trimmed. Handara gate is located before you enter the lake and the temple. The Lake is very still and wide and you could take a boat ride as one of the activities. Behold to your left is the Ulun Danu Temple. Many tourists and locals alike marvel at this temple, take amazing photos and videos and pay their respects. Other than the temple other insta-worthy spots are located all over the complex including the famous Pyramid stone, perfect spot for photos with a panoramic view of the mountains and the lake behind you. We had a lovely time here and truly a spectacular site to visit. This complex has toilets, restaurants, parking space and easy access to Persons with disability. Ulun Danu Temple is indeed rightfully located near the Lake and Mountains protecting the people of the highlands in Central Bali.
(20) Ulu Danu Bratan to me was one of the most beautiful temple that I have visited during my Bali trip.\n\nOnce 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.\n\nI would surely recommend a visit here.
(21) Although a little far, this is one of my favourite temples to visit in Bali. The nice drive up into the Bedugul highlands to Lake Bratan (~1,200 meters above sea level) through rural Bali is memorable. We passed by small villages, farmland, crater lake, valley and mountain views. Pura Ulun Danu is located on the shores of Danau Bratan (Lake Bratan). It is dedicated to Dewi Batari Ulun Danu, goddess of lakes and rivers, to ensure plentiful water and bountiful crops. Entrance fee was Rp 30,000. The climate is cool, the air is fresh and the views simply amazing with the temple seemingly floating on the lake and misty mountains in the background. This is my second visit and it is perplexing to see that there are now colourful animal statues in the gardens which are so out of place.\n\nWhen you leave, do pay a visit to the nearby Bedugul (Bukit Mungsu) traditional market in Candikuning. There are fruits, vegetables and spices for sale. There is also an art section with handicrafts and souvenirs. Worth a stroll even if you don't buy anything.
(22) I'm not big on Temples, but the Ulun Danu Beratan Water Temple was beautiful. We took a guided canoe out on the water and got some great shots of the temple, also less tourists on the water 😂 .
(23) The Ulun Danu Temple was built around the 16th century and has been kept in great condition, alike most temples in Bali. The temple itself sits out into the lake and is not accessible by tourists. The lake is breathtaking, seemed almost like an ending sea. Being 1300 metres above sea-level, the area was quite cold, a jacket and a scarf recommended. The fog gave it the perfect setting. There were also a spacious garden with gorgeous flowers. Photographs can be taken from almost every angle! Everything was just beautiful. You definitely have to go and see it for yourself!
(24) Pura Ulun Danu Bratan is one of the symbolic places for Bali trip. The scene is a perfect place to take beautiful pictures.
(25) The Ulun Danu temple is famous and everyone talk to visit. The temple is located in the beratan lake with the flower park as long as the walk area. Located in bedugul area, this place very interesting to visit.
(26) My last visit to Pura Ulun Danau Bratan was 3 years ago in April'10. There are much some changes and upgrading done. Previously, it was only a wooden bridge leading to the Pagoda like temple on the lake. Now the wooden bridge has been replaced by concrete pillars with swans and other figurines sitting on the pillars. The place still looks as serene and peaceful despite many visitors crowding the place. \n\nThere is a Rp 30,000 entrance fee for adult tourist & Rp 15,000 for a child\nTel : (+62) 368 2033050\nwebsite : www.ulundanuberatanbali.com
(27) Ulun Danu Bratan Temple is a Water around temple in Tabanan. Hinduism culture and it is on 50000 IDR note you can see. Very amazing temple with nice breathtaking view. It;s an iconic temple. Must Visit,
(28) 1 hour far from Ubud, site located at a height of 1.200 meters.\nTemple dedicated to the goddess of water Dewi Danu.\nSpectacular scenario, with several \Meru\", the typical hindu towers (on 3/7/11 levels), even if this area lost some of its holiness as time goes by."
(29) Ulun Danu literally means the \Upper side of Lake\". Rightly so the the Temple devoted to Lord Shiva is located on the banks of Twin lake with green covered mountain in the back drop. One can go around the temple and see the rituals being performed. There is separate temple for Parvati where people come from far and near with offerings and along with relics of house deity and pray to god as per the rituals as directed by the Priest of the Temple. The place is well kept and good location for photo shoot. Peddle boats are there for children and an Artist offers his skill to sketch portraits in 10 minutes. Some shops are also there for tourists."
(30) We were very excited to visit Lake Beratan and see Ulun Danu Beratan, the temple that seemingly floats elegantly in the middle of the water. It takes about two hours to drive to Lake Beratan from Ubud first thing in the morning. We left around 5AM because we wanted to avoid the crowds. When we arrived there was no one there. We had the entire place to ourselves with the exception of a few staff members. \n\nUnfortunately for us, it was an incredibly foggy, cloudy morning. Lake Beratan is located in the middle of the Bedugul Mountains at an elevation of 1200 m. Consequently the climate is a little bit cooler (especially in the mornings) and very susceptible to fog. I imagine the views are spectacular on a clear day or furthermore at a clear time, we just didnt have time to wait multiple hours for things to clear up. I guess it comes with the territory - tropical climates often mean unpredictable weather. The temple is still pretty, none-the-less but this site is know for its views so when its foggy, its not as stunning as some of the pictures may seem.
(31) Ulun Danu is is a floating temple on Lake Bratan, the lake of Holy Mountain. The temple is dedicated to Dewi Danu, the goddess of water. It is a very picturesque location on the shores of the lake with very lovely surrounding gardens, well tended and cared for.\n\nPlan to spend an hour at the temple, walking around. There are restrooms and places to get something to eat and drink.
(32) The site of this beautiful temple on a lake is many visitor's ideal image of Bali. Ulun danu temple and its surroundings are exactly that! It is worthwhile to take a day trip to visit, taking in the scenery and enjoy a bit of boating on the lake. This place does get overcrowded in from late mornings. I suggest arrive around or before 9am, if one wants to enjoy a bit of serenity before the madness. Late comers will have to fight with other people for a taking good photos, plus the rain normally comes in the middle of the day, which will really spoil the fun.
(33) The Pura Bedugul is exactly the same place as Pura Ulun Danu Bratan and the two Trip Adviser entries need to be merged. Pura Ulun Danu Bratan is the proper name, and has the more TA reviews. Pura Bedugul just means the Bedugul Temple. However, whichever name, it is a wonderful place and a 'must see'!
(34) We went on a half day tour to Ulun Danu Bratan Temple from Ubud, which is about one and a half hours drive away.\n\nWe loved the beautiful location, the well maintained landscaped garden and the cool, clean and fresh air.\n\nA great place to take some magnificent photos and enjoy the scenery across the lake.\n\nThe crowds were not too heavy and taking pictures very easy.\n\nA couple of downsides though, (1) High admission cost of 75000 IDR per person and (2) The new concrete suspended roadway hugging the nearby mountain rather spoils the views of the temple.\n\nWell worth a visit though !
(35) It was a dream come true to see it up close and personal this postcard perfect picture of the Ulun Danu at Bratan Lake, a product of the volcanic eruption that formed a stunning lake in this high altitude cool place. It was simply paradise, with pine trees, flower blooms, tamed animals around. One could do boating and other water activities provided it's good weather. it was foggy and we have to wait to have better and clearer view of everything past 12noon. Summer could be the better season to avoid the rain. Souvenir shops, spacious parking area, restos nearby complete this best destination when in BALI, approximately less than 3 hours from KUTA. The temple is well preserved, I really admire the pagoda-like roof tiered merus, very distinctive Balinese design.
(36) Ulun Danu Temple lies by banks of Lake Bratan at a level of 1239m, It is one of the most picturesque and most photographed temples in Bali. Entrance Fee is IDR 50,000.It has ample parking space, after which you see a big garden area. There is play area for small children & separate eating area which has many restaurants. You get variety of food which include ala carte & buffet, however the restaurants close by 3pm in the afternoon. The location is surrounded by mountains and usually has fog due to the location height. It is also very chilled, so better to carry some light warm clothes. There are Motor boats available which take you a round in the lake, but its very windy and chilling. The temple is on one side and has a smaller access. It is very crowded as people flock to take selfies in that area. A fog brings a real charm to this location which has made it a very favourite sightseeing and recreational spot.
(37) It is a beautiful place , well curated and maintained. A temple with the lake backdrop is a beautiful place not to miss. IS a well maintained place to relax and is near a good lunch stop at Bratan if you are covering Ulun Danu with Sekumpul.\n\nGreat Photo shoot location, can spend an hour here to see it all. Definately worth a visit.
(38) Very nice temple along the shores of lake Bratan. Temple to Dewi Danu, the Balinese water, lake and river goddess
(39) There are many conflicting names for this place depending on what material you refer to. Most tourists know it as Bedugul from the travel brochures. But the name of the temple itself is actually called Pura Ulun Danu or Ulun Danu temple. And the lake it is situated on is Danau Bratan/Lake Bratan. \n\nIf you are travelling from Seminyak/Kuta, its a long way drive of about 2hours one way. Normally people will stop by at Jatiluwih (terraced rice fields) before or after this place, then it is about 1 hour apart. \n\nThe road to Ulun Danu is even narrower, windy and hilly. Along the way, you will pass by villages as well all nice vegetables and flower farms until you reach the part where you start climbing the mountain.\n\nMost tourist visit this place in the morning due to better views. However I went there in the afternoon and the view is still pretty clear. Also it is less crowded in the afternoon compared to in the morning. \n\nWhile you are there enjoy the beautiful garden compounds, before proceeding to the floating temple and last but not least take a walk to the extreme left of the area where you will arrive at the pond area where the stunning mountainous view is right in front of you. A lot of people dont walk to this area therefore it is much less crowded.\n\nTo me this is the best part of the whole place. Just standing there, enjoying the amazing sights while feeling the cooling air brushing off against your skin. No words can describe how good the feeling is.\n\nUlun Danu temple / Bedugul / Lake Bratan (whichever name you call it) is a great place to visit when you are Bali. The long road trip is more than worth it.
(40) Ulun Danu Bratan Temple is a spectacular water temple on lake Bratan. Its a HIndu temple and is featured on the 50,000RP note. It was built 1633.. We visited this temple on a full day tour by Bali Traditional Tours. The temple is just stunning and you have the feeling of calm even with all the tourists that visit here at the same time as you. This temple is used for offerings to the water, lake and river goddess Dewi Danu. The lake itself is used for irrigation to the area. \n\n Apart from the temple there is an amazingly kept garden.where you can rome.
(41) My family and I visited Pura Ulun Danu at Beratan Lake in early April 2017. \n\nIt is the temple featured on the (old) Rp 50,000 note and it was beautiful to see it in real life. The surrounding gardens are really well maintained and manicured, so it was a lovely environment from which to view the iconic temple.\n\nThere are several cafes/ restaurants on site serving lunch, snacks, and drinks at reasonable prices, and the restroom facilities are OK.\n\nThere is a children's playground on site which my children enjoyed playing in once they were bored with looking at the temple itself.\n\nDo be warned that Pura Ulun Danu gets VERY busy - many large tourist buses arrive all during the day, bring swarms of visitors, so the whole area does get very crowded. You might have to wait a while if you want to get a photo of the gorgeous temple without hundreds of people in the background!\n\nThe grounds open at 7am (although the cafes do not open until about 8:30am), so my suggestion is to get there early - before the tour buses have arrived from Denpasar.
(42) We travelled Bali from denpasar by Honda scooter. Ulun Danu is great place to visit. We had boating inside the lake. The typical photogenic place. the garden outside the temple is also beautiful. The scenery in the road is also pleasant.
(43) Early morning Ulun Danu is very pretty and the lakes around were breathtaking. Unfortunately, it was low tide, so the illusion of the main temple floating on the water was not there (from the pictures, it was never clear that the temple is so close to the land). The drive was also very beautiful, and the kopi luwak tours on the way or back were a fun distraction.
(44) This temple is an absolute beauty!! It was raining when we reached there but nonetheless it was oh so perfect! We actually liked it way more than the extremely popular Tanah Lot. \nUlun 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!\nWe were lucky to even witness a ceremony and it was so beautiful and very interesting at the same time.\nYou cannot miss this one while on your trip to Bali!
(45) The Ulun Danu temple is the most picturesque temple in Bali ... Set amidst the a pristine lake and hills ... this is the most iconic symbol of Bali ... the temple architecture is brilliant and creates a magical feeling when its reflection falls on the crystal clear water of the lake .. the journey by car to this location is also awesome ..
(46) Pura ulundanu or lake side temple,its most of interesting place that we have to visited. With their green garden and also with colourfull flowers,mountain breezes with beauty of lake side temple and background mountain. When you are there ,its really feel of the fresh air without polution and very good to refresh of your mind. Must go there during your holiday in Bali island,with entrance ticket is IDR30k/person
(47) Ulun Danu is simply stunning. This was the first temple we visited during our trip to Bali and it did not disappoint. Beautiful temple with a mountain backdrop, even on a cloudy day the atmosphere was amazing. The gardens are beautifully manicured and very pleasant to walk around, there are lots of picnic areas, photo opportunities (of the man made kind) and plenty of things to do. A great place to take children, but also a very busy place, so bear this in mind. It's wide open grounds mean that although there are lots of people there (you will queue to have your pefect photo op) it is not crowded.
(48) After coming from Sekumpul waterfalls where we almost did not see any tourists, coming to Ulun Danu Bratan was quite a shock. A parking packed with busses and tourist cars is not directly what you associate with a religious site.\n\nNevertheless, when in Bali it is a must see temple: the setting on the lake is wonderful with wonderful views of the surrounding mountains.\n\nAt the moment we were there, there was a big ceremony which made it extra special\n\nOne recommendation for the management: please stop renting peddle boats to tourists, it ruins the photos for everyone else!
(49) The view was awesome. Temple in the midst of the lake that is surrounded by hills all together makes an amazing view! Ulan Danu is a bit far from Kuta. Almost 2 hours drive. But we loved the place!
(50) It was a dream come true to see it up close and personal this postcard perfect picture of the Ulun Danu at Bratan Lake, a product of the volcanic eruption that formed a stunning lake in this high altitude cool place. It was simply paradise, with pine trees, flower blooms, tamed animals around. One could do boating and other water activities provided it's good weather. it was foggy and we have to wait to have better and clearer view of everything past 12noon. Summer could be the better season to avoid the rain. Souvenir shops, spacious parking area, restos nearby complete this best destination when in BALI, approximately less than 3 hours from KUTA. The temple is well preserved, I really admire the pagoda-like roof tiered merus, very distinctive Balinese design.
(51) Whenever one visited Bali, there are a few places that one ought to visit and one of them is Ulun Danu. I have quite a high expectation about the beauty of this place after reading and looking through the many available information. Being an avid photographer, I did managed to get beautiful shots of the temple and it's surroundings, however maybe because it was a rainy day when I visited, I felt something was amiss. The lake was one of the largest fresh water lake in Bali and it was said that the water from the lake irrigated the surrounding area and made it very fertile for agricultural activities. Overall, I still think if this is the first time you are coming to Bali, you can come and visit this place albeit it's quite far away and up the highlands, from the city centre.
(52) I am not familiar with the Hindu religion so I am unfamiliar with the variety of idols, statues, etc that are associated with a Hindu temple. Going to Ulun Danu Bratan Temple is a must do since you are climbing up in elevation to a mountain and the temple is located in Lake Bratan, absolutely stunning backdrop. There is a mixture of very kitschy statues of SpongeBob and other cartoonish characters, in addition to traditional idols. There are lots of tourists so it can get very crowded and then it is not so serene. This was the most interesting temple we visited on our Bali tour.
(53) This temple is my absolute favourite. During long years going to Bali several times, I visited Ulun Danu Bratan three times already.\nEvery time the weather was rainy, and dark clouds were hanging above the lake menacingly. Somehow it didnt matter, since the temperature was high enough, and this cloudy background make the whole setup more picturesque.\nThe temple is the most iconic Hindu temple in Bali. Floating on the water of Lake Batur surrounded by green mountains that hiding its head in swirling clouds, and flowers, and flowers everywhere. It is the most beautiful place with the most beautiful temple.\n We were lucky enough to catch the end of some religious ceremony, with prettily dressed Balinese girls carrying offerings on their head. It was just the icing on the cake.\n If youre in Bali dont miss Ulun Danu.
(54) The traffic up to Ulun Danu Bratan was horrific - it took nearly three hours from Ubud, though, granted, it was a public holiday. It is a potentially beautiful setting, but the crowds or deomestic visitors detract hugely from it and make it near impossible to get any decent photos. Perhaps this is only because it was a public holiday, but that is the only experience I have of this sight. Don't expect a peaceful lake either - it's full of speedboats which are for rent alongside the temple. I'm glad I ticked this one off the list - the temple itself is stunning - but, to be honest, I left feeling very disappointed. There's not much exploring to do here - though be sure to pick up some strawberries from the nearby market or roadside vendors!
(55) During our recent visit to the island of Bali, we returned to the magnificent Jatiluwih Rice Terraces and, at the same time (why not?!) visited Lake Bratan. It rained very hard but nonetheless we were able to feast our eyes on the lake and the Ulun Danu Bratan Temple. Worth a visit!
(56) Pura ulun Danu Beratan is good pleace for visiting.because this one importan temple when you are in Bali for holiday.beside of the temple you can to see beautiful lake in that pleace.ulun Danu Beratan is some temple as special for the farmer.everyday many local will be visiting this temple because very populer
(57) The scenery and garden are very beautiful and clean. One of the places that must be visited if the first time to Bali. The scenery to the temple of Ulundanu temple is very beautiful and the air is cool so it does not feel much travel especially when it gets treated with beautiful scenery.
(58) Have to travel a windy road up to the mountains, passing some strawberry farms upon reaching to Ulun Danu Bratan Lake Temple. Best visit time will be in the morning, reaching there before 10am where it is not crowded yet. So that photo taking will not be disturbed with unwanted photobombs of people appearing from no where.\n\nStrawberries are sweeter in October and not in May, depends on season as well, but it is very cheap, rinse it with water and you can start to enjoy before lunch. Easily available from the stalls along the road.
(59) Pura Ulun Danu is located at the side of Beratan Lake in the hill area of Bali Island. We passed by this lake on our way to Pemuteran, North Bali for diving. We eager to come back this way to visit Pura Ulun Danu. It's one of the Bali iconic place & this temple picture is printed in Indonesia money (Rp 50.000,-). The weather was sunny & warm. Temperature was about 25'C @ 10am.
(60) Mostly temples in Bali are surrounded beautifully by parks, ocean, lakes, mountains, or rice fields. This Temple, Pura Ulun Danu Beratan, also surrounded by park, lake and mountains, incredibly looks beautiful, and the air here are refreshing! When you visit Singaraja, or waterfalls of Git Git village, Sekumpul or Munduk, Buyan and Tamblingan lakes, or Menjangan Island, you will probably going thru this temple and lake. Don't just past this place! You definitely have to visit this place for couple of hours, you won't regret at all. Usually we get here at noon, and we always have our lunch at local restaurant Mentari, nice food, good value, and the view is awesome, to the lake Beratan!\nThe parking area in the part of temple complex are quite big, the entrance tickets will cost you 30.000 rupiahs (it's about US$3) pp, recently they raise it.\nThe are public toilets near the parking area, before the entrance gate, not so clean sometimes, if too crowded.

View File

@@ -0,0 +1,64 @@
[TOPIC] 26
[Stats] N=60 | Source=../data/original/reviews.tab
(1) My husband & I visited Bali in May 2017. We planned visiting Jatiluwih Rice Field & Pura Ulun Danu Bratan on the same day. From Jatiluih rice terrace to Pura Ulun Danu Bratan it took 45 minutes approx. by car. \nIt is a beautiful temple. The scenery attached to this temple is breathtaking. We reached there around 5:30 pm, and the place was colder than central Ubud. Dark clouds covered the mountains and the temple premise was covered in clouds as well. I felt like walking in the clouds & the place looked so different & peaceful during the time of dusk. As it got darker the temperature dropped a bit more, and it felt even colder! \nI recommend this place…….worth a visit!
(2) Pura ulundanu or lake side temple,its most of interesting place that we have to visited. With their green garden and also with colourfull flowers,mountain breezes with beauty of lake side temple and background mountain. When you are there ,its really feel of the fresh air without polution and very good to refresh of your mind. Must go there during your holiday in Bali island,with entrance ticket is IDR30k/person
(3) The word for the title that I put is an understatement. This temple or \pura\" in Balinese is perhaps one of the most beautiful pura in Bali. The landscape and the background of the Danu Beratan(Lake Beratan) is so beautiful, even a postcard picture couldn't do the justice. And the climate here most probably suited the western travelles better since it could reach down to 16 degree celsius. Cold weather for most of Southeast Asian people like me."
(4) Ulun danu temple in Bali is one of the finest temples. It should be on one's priority list of sightseeings and shouldn't be given a miss. We went there in the afternoon. By Gods grace the weather was very pleasant and the scenery was just addictive. Hired a local for the whole day for full day tour to other sights as well.Local shops outside the temple provide good articles at reasonable price.
(5) Ulun bratan temple is built on the bratan lake and so is surrounded by water on all sides which gives it a divine look. The vibe of the place is so refreshing owing to the style of its architecture and the water around it. It is a must visit if one is in Bali.
(6) There's an entrance fee to go in. It has a large park for you to walk, take pictures, enjoy the grass and flowers and trees. The Pura on the lake is really nice. With mountain and the sky on the background, it's truly a good place to just enjoy Bali and the nature.
(7) - This was one of the temples visted during my full day tour.\n- Ulun Danu bratan temple is one of the most picturesque and beautiful landmark in bali.\n- Your bali will remain incomplete if this temple is not on your list.\n- We reached at the mid of the day.\n- Its quite away from Kuta about 60 km.\n- This temple is at the shore of the second largest lake in Bali.\n- Beside temple you will get various food shops, restaurants, Souvenir shops.\n- Visiting this temple was one of the best experience I have ever had in Bali.\n- Weather was cooler then seminyak and kuta.\n- Only one thing which I dont like about this place is the crowd, this place was a bit crowdy rest of the things were fine.\n\nI would say this place is filled with Beauty everywhere.\n\nTicket: 50,000 IDR\nOpening Hours: 08:00AM 06:00PM\nLocation: Danau Beratan, Candikuning, Baturiti, Tabanan Regency, Bali 82191, Indonesia
(8) Ulun Danu Bratan Temple is one of Bali's most famous temples and as can be expected see's a fair bit of foot traffic. The temple itself is rather small, but gains a bit of it's fame due to its position on the shores of Lake Bratam and its importance in feeding water all over Bali through its UNESCO recognised subak system.\n\nUnfortunately not only has there been an influx of tourists here but a bunch of commercialism has occurred with market stalls everywhere and a series of cages featuring trapped local wildlife. I found the later particularly unpleasant.
(9) This temple one of the iconic temple in Bali situate in western shore of Lake Bratan, in the mountains near Bedugul. It can give the illusion of actually floating on the water. Built in 1633, the temple is devoted to Ida Batara Dewi Ulun Danu (Goddess of the Lake). A beautiful temple in a truly stunning and is one of the most photographed locations in Bali. You can get cheap photographers if you wish to get one. \n\nEntrance fee for Adult is IDR 30k and for Child above 5 is 15k. Those staying in South Bali it is better to hire a taxi with driver for a day as you can get a reliable English speaking driver for IDR 5-600k including fuel. We got a driver (M:81338643152) with the help of Hotel and was very helpful.\n\nClimate will totally change towards reaching the mountain top as its cool and with intermittent shower in between, but not last for long time. One can go with their own pace at the temple as those look for tranquility the place offers a lot. Entering the temple gates, instantly noticeable are the typical Balinese architectural features and the tiered shrines. Inside the complex, the three main shrines are dedicated to the worship of god Vishnu which boasts 11 tiers, god Brahma with 7 tiers and Shiva with 3 tiers.\n\nThere will be a fruit market nearby as you can buy fresh fruits but do bargain for better deal. Those who want more than scenery may hire traditional jukung outriggers to tour the lake as well as motorized boats for a quicker ride. The other side of the Beratan Lake also offers various water sports such as parasailing and jet-skis.Close to the temple complex visitors can hire fishing gear and bait to pass the time away on the lakeside. The Eka Karya Botanical Gardens is also a highlight of the Bedugul region, with access located nearby.
(10) This time around, I finally got to see the floating temple “floats”! Haha!\n\nI was not lucky enough to see the prominent Lingga Petak Temple “floating” on water the first time I visited Ulun Danu Bratan in 2011. There was a low tide back then. But last January 2018, my wife and I got a visual treat of the floating temple! Thanks to Lake Bratans calm and high waters.\n\nWhile the main feature here is the floating temple, there are other interesting and picture-worthy attractions in the complex: the mountains, the lake, a handful of other temples, a Buddhist stupa, the garden. And oh, Spongebob Squarepants :)\n\nOverall, our visit was fun. We spent about an hour roaming around the complex, sightseeing, and taking selfies under a cool midday weather. And what added to our enjoyment was our drive up towards the complex, where the road circled around mountains and Lake Bratan, giving us views that were a feast to our eyes!\n\nP.S.: You need to pay entrance fee of 50K rupiah (~4 USD) per foreign tourist. And you may wish for a high tide on your visit ;)
(11) Built in 1633, this temple is more than a shrine, it's a garden and a recreation area for locals and tourists. The lake view is stunning with the sheer backdrop of Bratan's Eastern crater rim. Not only is Dewi guarding the lake, Ganish is at the gate because this lake is one of three that supply most of the water for irrigation in Bali. Please be respectul and limit the amount of water used while visiting Bali.\n\nTransport Note: The roads leading to this area are steep, with numerous turns and undulations. If one is prone to motion sickness, I would take a Dramamine 1 hr before leaving.
(12) I visit Ulun Danu Bratan Temple for praying with my family. Atmosfer in this place is nice and make you fell healthy with cool air. The view of the lake is clear if you go there in summer.
(13) Ulun Danu Bratan Temple is located in between pretty hills on the banks of a picturesque lake. When we went to the temple, there was cloud cover in the sky and cool breeze blowing across the area, making it a wonderful time to visit.\n\nThere are statue-like structures of many birds and animals in the grounds surrounding the temple. We had a lot of fun with the camera around these. The main temple with its body in the lake just a few meters away from the bank also makes for some great photographic opportunities.\n\nThere were childrens' play areas as well as restaurants on the temple premises. The toilets required payment for use, yet they did not really appear too clean. However, other than that, this temple was a wonderful visit.
(14) The place is cool, nice scenery, lots of trees both shady and tall. The atmosphere is clean, well maintained, and lots of spots to take pictures. Ulun Danu temple is located in the middle of the lake, very unique and iconic. We can take pictures from the edge of the lake with a beautiful background of Ulun Danu temple. Parking is spacious enough.
(15) Although fairly busy we loved visiting the Ulun Danu Bratan temple.\n\nWe were lucky there was a Balinese dance exhibition on inside the gated area near the temple so after watching this we wandered over to the temple itself. The backdrop of the lake and mountains is just stunning and the whole area is immaculate.\n\nA must see when visiting Bali.
(16) Visited this place while travelling from Kuta to Lovina. When we reached around 11 am, It was already crowded, but understandable, as the place is frequented by both pilgrims and tourist. There is a parking spot, charging 5000 IDR per vehicle. There are also some souvenir and food shops around. Entry to the temple is on payment of 50000 IDR per person.\nThere is a beautiful Candi Bentar. As you move further the mountains at a distance and the lake becomes visible.The temple is at the edge of the lake. The temple is not very big but one, which is very well advertised by tour agencies. Our guide told us, that the temple is dedicated to the goddess Dewi Danu. The 11 storey meru is dedicated to Shiva and his consort Parvathi. There are other shrines within the compound. The lake is large and you can pay, to take a motorboat ride in it. It cost 200000 IDR for a half hour ride.The gardens are large and well kept. \nYou can spend any much time here, from 15 minits ( If you just wants a glance) to 2hours ( IF you want to go for a boat ride.) Keep a bottle of water, sun block and hat with you. A must visit site when in Bali.
(17) My wife and I visited the Ulun Danu Bratan temple,on our guided tour of North Bali. This is a major water temple, and it is also known as the temple on the water.  Built in 1633, this temple is used for it's offerings ceremony to the Balinese water, lake and river goddess Dewi Danu, due to the importance of Lake Bratan as a main source of irrigation in central Bali. They have a major ceremony every 210 days, and guess what day today was…  we saw the ceremony and other celebrations.  Families in the area bring offerings to the temple, carried on their heads, to be blessed and then take them home to share with family. Lots of terrific photo ops, a really beautiful place to visit. A must see!
(18) The ulun danu beratan temple is both a famous picturesque landmark and significant temple complex located on the western side of the.beratan lake in bedugul,central bali.
(19) Ulun Danu Beratan Temple is both a famous picturesque landmark located on the western side of the Beratan Lake in Bedugul, central Bali. \n\nThe smooth reflective surface of the lake surrounding most of the temples base creates a unique floating impression, while the mountain range of the Bedugul region encircling the lake provides the temple with a scenic backdrop. \n\nGo at sunrise to avoid crowd for a beautiful photo. However rented boat rides are not available till later in the morning.
(20) View Ulun Danu Beratan Bali Beach\n\nArtistic many temple in Bedugul. \nGood palace. And cold in here. \n\nHoliday many people in here \n\nBoat good idea. Amazing Bali Island.
(21) Unfortunately the serenity we saw in the pictures of Pura Ulun Danu was nothing like the reality. The place was flooded with buses, tourists everywhere, and of course any food outlet was overpriced (we where hungry so had to suck it up). The speed boat ride pleased the children and it was perry cheap so that was alright. But I had more fun shopping in the fruit market just down the road from this temple.
(22) Ulun Danu is one of those temples most of us seen in the internet, and in brochures, and it's also on most agendas, but if you expect a large temple complex you're wrong.\n\nNever the less it's very much worth a visit, but be aware that you will not be alone, the place is quite crowded
(23) A very busy temple, full of tourists, would recommend Pura Ulun Danu Bratan also very busy but much more interesting temple.
(24) Ulun Danu temple is perched up on a hill, sitting comfortably by a beautiful lake. It was a really pleasant surprise for the both of us after having to endure a day long of hot & humid climate. It rained a bit so there was a layer of mist camly hovering above the lake. While the temple on its own was beautiful, we spent most of our time enjoying the view of the splendid lake & chilly wind. We also witnessed a ritual which was being performed by some local devotees.
(25) This is a great place.... I love the views. A lake surrounded by mountains, and in the middle of the lake u'll see the Temple called Ulun Danu. It was such a beautiful view.. Never have I seen such a beautiful lake like this. I really love the weather.. It was worth to get there for 1.5 hours to be arrived by motorcycle from Kuta. 😂 pretty crazy but it was so cool indeed.. 😎
(26) 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.\nWe enjoyed the serenity of the place, it lovely garden and the spectacular view of the mountains and the lake.
(27) If you are looking for spirituality and beauty at Ulun Danu Temple, youve come to the right place. \n\nThe main attraction are two beautiful floating temples with a unique backstory of the Hindu Dharma religion native to Bali (itself a new religion derived from origins of Hinduism and Buddhism infused with indigenous Animism beliefs). \n\nIf you havent yet noticed, the image of these two floating temples at Ulun Danu Temple is ingrained at the back of one of the Indonesian rupiah note! While it is the pride of Bali, having its mark stamped in the National note certainly brings a more heightened sense to the peaceful location. \n\nDepending on the day, you will either get throngs of people visiting the temple or a very quiet peaceful almost meditative walks to yourself in the temple grounds, which is also compete with a few intricate archways and rock paths besides the beautiful lake. \n\nAn important thing to note is that the Balinese still hold on firmly to their beliefs- one of them being that a women on her period is not allowed to enter the temple grounds (this is not an uncommon observance in Asia). Rest assured however, they will still allow the women in this situation to marvel at the outer areas of the temple. \n\nWhen in Bali, do as the Balinese do, and you will truly come to appreciate the miraculously beautiful Island of Gods as it was nicknamed since the late 90s.
(28) Ulun Danu Temple is situated on a lake up in the mountains in Bali, Indonesia. Although the road to get there is pretty long and windy, the scenery is worth the trip. The temple is situated by the lake which is mist covered. The temple architecture is interesting, with a pagoda like structure, with 11 roofs. \n\nIf you go there during the rainy season, be sure to bring an umbrella, otherwise you can rent one from the many vendors there.
(29) A bit far from all the other temple, but love it. It's surrounded by lake and the temple just perfectly place. Beautiful gardens and not soo crowded just perfecly made the day at Ulun Danu. Be ready with umbrella cause its rain a lot.\n\nFor a perfect picture, look for the fotographer provided from Ulun Danu inside the temple. For rp 15.000 a foto we can have excellent pictures taken from their camera which they have right to stop people who stand close to you when they try to take picture and printed within a minute. And we can have them taken our pictures using our camera or mobile phone.
(30) There are a lot more beautiful temples in Bali, this one is too crowded. There were thousands of people near the temple, it was very difficult to take a good picture of it. The temple is so popular because he's very close to all the touristic areas like Kuta, Nusa Dua, Sanur. Visit the Ulun Danu Bratan on the Bratan lake, much more nicer pictures to take and temples like the Besakih temple.
(31) Returning to Danu Ulun Beratan Temple after 20 years has been a big disappointment. What used to be a mystical experience in a natural setting is now very commercialised. Sorry I came back, but I wanted my partner to experience it. He too, was disappointed.
(32) Your Bali trip won't be completed without seeing Ulun Danu. Its a symbol (even in 50K INR money). Breathtaking view, beautiful lake from volcanic features, relaxing and calm environment.
(33) among all the temple we visited in Bali, Ulun Danu temple is no doubt the most beautiful of all, its a paradise, such heart warming views in and around the temple, surrounded by beautiful gardens, mountains and Brutan lake you can spend good time with your family. you can opt for boating also in the lake with different options like pedal and speed boat, which comes with a fee. there is a small aquarium near the temple. Outside the temple there are some food joints, little costly. The temple itself has an entrance fee.
(34) ulun danu temple is a Hindu's temple located on the edge of the lake beratan bedugul bali. the entrance ticket price for local is 20 thousand and foreign tourists are 50 thousand. But of course the price can change. You can capture your trip by paying a direct printing photo taken by local photographer to help them make a living.
(35) The \Ulun danu Temple\" is part of the places that you have to visit while in Bali. It has nice views and it's great for pictures."
(36) Pura Ulun Danu Bratan is a picturesque water temple nestled in the lap of mountains in Bedugul. The temple offers a spectacular view along with the surrounding lake Bratan and mountain background. The weather is cool and breezy. On the way to the temple one can see Mt. Aguang and Mt. Batur. People need not wear Sarong unlike most Bali temples. The temple also has a huge park with many photo points.
(37) Ive heard a lot of people say they were relatively unimpressed by this place. Not us, perhaps it had to do with the weather (we went on an overcast day) but we loved Ulun Danu and spent a long time there. Its one of those places in Bali that photograph really well no matter the weather or time of day, the grounds are very well maintained and it wasnt overcrowded.
(38) If u want to get rid of humidity of Bali, u may like to visit Ulun danu temple. The temple is surrounded by hills and situated at high altitude at the bank of lake. The climate is very pleasant and free from humidity. You may enjoy speed boat ride also at reasonable prices.\nPerfect place to visit with family.
(39) Danu Bratan is located beautifully around a lake.. a wonderful architecture and a mesmerisig view around.. this is a picture perfect beauty surely not to be missed.
(40) One of the most iconic photos of Bali is with the image of The Temple of waters named Pura Ulun Danu Bratan. This temple was built in 17th century and is dedicated to Devi Danu the goddess of waters. Entrance ticket is 30k IDR and being so popular there are herds of tourists trying to take a photo with the symbol of Bali. Being located at a higher altitude than most of the touristic areas in Bali, even in the dry season the clouds are gathering over the lake and it's quite difficult to have sunny weather.
(41) Allthough there are lots of tourists (local and foreign) the Ulun Danu temple is located in a quiet peacefull place. The view over the lake is beautifull and the park behind the temple is nice for a walk around. There is a small childrens playground and some restaurants and shops.
(42) Ulun Danu Bratan Temple, also known as the floating temple, or Pura Ulun Danu Bratan Temple, is situated on the shores of Lake Bratan, in the Bedugul district of Bali. This is, in fact, a major Hindu Shaivite water temple in Bali. The magnificent views of the lake in the backdrop of the mountains have made this temple a popular attraction for tourists and photographers.
(43) Have to travel a windy road up to the mountains, passing some strawberry farms upon reaching to Ulun Danu Bratan Lake Temple. Best visit time will be in the morning, reaching there before 10am where it is not crowded yet. So that photo taking will not be disturbed with unwanted photobombs of people appearing from no where.\n\nStrawberries are sweeter in October and not in May, depends on season as well, but it is very cheap, rinse it with water and you can start to enjoy before lunch. Easily available from the stalls along the road.
(44) The Ulun Danu Temple was built around the 16th century and has been kept in great condition, alike most temples in Bali. The temple itself sits out into the lake and is not accessible by tourists. The lake is breathtaking, seemed almost like an ending sea. Being 1300 metres above sea-level, the area was quite cold, a jacket and a scarf recommended. The fog gave it the perfect setting. There were also a spacious garden with gorgeous flowers. Photographs can be taken from almost every angle! Everything was just beautiful. You definitely have to go and see it for yourself!
(45) Ulun Danu temple is one of the pearls of Bali, maybe not the most shining, but for sure in the top 5. Laying on a small island in the middle of a lake, behind a nice mountain, and surrounded by a magnificent park full of trees, sculptures and nice towers.\nI enjoyed a lot the visit of this pretty temple which worth a visit. Cannot miss
(46) Ulun Danu Bratan Temple - it's got to be done, because it is Bali's most iconic image, plastered around the tourist info in photo-shopped technicolour. But how disappointing, when you see the crappy fibreglass brightly coloured swan-shaped pedalos sailing around them, and in the surrounding park, the sweetcorn wastebins, and the turtle-shaped fibreglass seating.\n\n50,000K per person to get in, get your tourist snaps, then head off to somewhere else that hasn't been absolutely ruined by careless tourist 'development'. \n\nWhen we went, the day was a bit chilly and the clouds dark, so our pictures weren't even that good. We didn't spend long here, considering we'd just paid about £6 for the both of us to get in. Extremely underwhelming, but if I hadn't have come, I'd have wondered had I missed out (I only knew I hadn't by coming here!).
(47) This beautiful Ulun Danu Bratan temple complex is located on the shores of Lake Bratan in the mountain resort area (1200 m above sea-level) near Bedugul. It is a cool and scenic place with beautiful natural scenery of a lake with mountains in the background. Very picturesque. It is a great place for photography enthusiasts.The entrance ticket costs 50,000 rupiah per adult.\nAccording to the information printed on the back of the ticket, this sacred Hindu temple was built in 1634 by I Gusti Agung Putu for the worship of God Almighty in His manifestation as Tri Murti (Brahma, Vishnu and Shiva) to invoke fertility, prosperity, human well-being and sustainability of nature.\nThe Meru tower (pelinggih meru), the principle shrine of the temple is very unique and impressive. It is a multi-tiered pagoda shaped wooden structure with thatched roofs. Very beautiful indeed and with the bluish water of the lake around the temple, it is just mesmerizing. \nWhen we were there, the place was quite crowded because there was a certain festival going on and various types of dances performed in the open area of the vast complex. However, tourists are not allowed into the temples which are only accessible to worshippers to perform their prayers. Tourists can go for a motorboat ride round the lake but we preferred to enjoy the calm and tranquillity of the place. There are also many shops selling food and drinks as well as souvenirs. \nThis temple is featured in the Indonesian 50,000 rupiah bank note. It is definitely a place to visit in Bali.
(48) among all the temple we visited in Bali, Ulun Danu temple is no doubt the most beautiful of all, its a paradise, such heart warming views in and around the temple, surrounded by beautiful gardens, mountains and Brutan lake you can spend good time with your family. you can opt for boating also in the lake with different options like pedal and speed boat, which comes with a fee. there is a small aquarium near the temple. Outside the temple there are some food joints, little costly. The temple itself has an entrance fee.
(49) This is an iconic temple for tourists to Bali. It's a small temple complex, so include other sights as part of a trip to the temple. Unlike the locals who look after the Besakih temple, the locals at Ulun Danu are friendly and welcoming, the entry price is set and a guide isn't required or pushed at you. I'm glad I visited Ulun Danu as there was a ceremony taking place and they are always special to witness.
(50) Ulun Danu is simply stunning. This was the first temple we visited during our trip to Bali and it did not disappoint. Beautiful temple with a mountain backdrop, even on a cloudy day the atmosphere was amazing. The gardens are beautifully manicured and very pleasant to walk around, there are lots of picnic areas, photo opportunities (of the man made kind) and plenty of things to do. A great place to take children, but also a very busy place, so bear this in mind. It's wide open grounds mean that although there are lots of people there (you will queue to have your pefect photo op) it is not crowded.
(51) Cool climate with the fabolous lake Bratan stunning background feels like a fantastic postcard-like scenery that surrounding the Ulun Danu temple. A 2-hours-worth-trip and a must visit place !
(52) Ulun Danu Bratan Temple is located on the shores of Lake Bratan near Bedugul in the central mountains of Bali on the Denpasar to Singaraja road. It offers cool serenity and beauty when you get away from the persistent crowd of sellers and local tourism \industry\" that tends to envelop many natural attractions in Bali. Cost to enter-Rp50 000. Take care, it is easy to end up buying dozens of postcards here from the many young, pleading children selling them !"
(53) Located right by a mountain lake in the heart of the island of Bali (more often found as Ulun Danu BEratan Temple), this place gives you not only a beautiful temple with no less beautiful backgrounds, and a chance to make stunningly beautiful photos and selfies, but is also a place you can cool off from the more hot weather in the lower parts of the island.
(54) I wasn't sure what to expect when seeing a temple in a lake, but Ulun Danu is really breathtaking. \n\nHaving arrived just before sunrise, it is a spectacularly beautiful location. And arriving so early meant there was practically no-one else around, which really allows you to take in the peace and tranquility of the spot.\n\nIt is definitely worth visiting and absolutely worth visiting at the start of the day.
(55) Ulun Danu Bratan Temple is located in between pretty hills on the banks of a picturesque lake. When we went to the temple, there was cloud cover in the sky and cool breeze blowing across the area, making it a wonderful time to visit.\n\nThere are statue-like structures of many birds and animals in the grounds surrounding the temple. We had a lot of fun with the camera around these. The main temple with its body in the lake just a few meters away from the bank also makes for some great photographic opportunities.\n\nThere were childrens' play areas as well as restaurants on the temple premises. The toilets required payment for use, yet they did not really appear too clean. However, other than that, this temple was a wonderful visit.
(56) When you google Bali, this temple is one of the first images that comes up. It's very well known and beautiful. Unfortunately Ulun Danu (also called floating temple), was not floating as the water around it was gone. I could see the bottom of the lake. This was due to the dry season according to the guide. Nevertheless, the temple still looked great!
(57) Built in 1663 and located on the shores of Lake Bratan in the mountains near Bedugul, Pura Ulun Danu Bratan is a major Shivaite and water temple on Bali. Due to the importance of Lake Bratan as a main source of irrigation in central Bali, this temple is used for worship Dewi Danu - the Balinese water, lake and river goddess.\n\nIt is very pleasant to visit this temple and be prepared to meet many people there including locals. You have to be patient if you want to get good photos.
(58) Ulun Danu Bratan Temple is one of the water temples in Indonesia. This temple can be found also at the back 50,000 ind rupiah. On behalf of my group, I would like to thank Komang, our guide from balitraditionaltours.com and our driver.
(59) Ulun Danu Temple is the most photographed in Bali and it's easy to see why. Even though the day was dark and gloomy, the temple oozed atmosphere. Very photogenic and well worth an hour or so of anyone's time. Busy with tourists but a welcome lack of touts.
(60) On Bali, known as the island of a thousand temples, its extremely difficult to find a temple of serene beauty that isn't swamped by tourists and souvenir sellers (such as Tanah Lot). Ulun Danu Bratan is located on the shores of Lake Bratan surrounded by mountains near Bedugul. Because it's further away from Kuta and Legian it doesn't quite have the same hordes of travellers visiting it however it can still gets extremely busy when the tourist coaches arrive, which is typically after 10:30am. \n\nIf you are really keen to see the temple undisturbed then I'd suggest you try and visit it at dawn, which means either staying overnight nearby or leaving Ubud during the night. The temple complex opens at 6am. Entry is IDR 35K. The complex has nine Hindu temples, 285 shrines & pavilions dedicated to a variety of gods & goddesses. The main eleven roofed temple dedicated to Dewi Danu, goddess of lakes and rivers. The temple is featured on the IDR 50K banknote.\n\nIf you do get there at dawn then watching the sun slowly rising over the mountains gradually bathing the lakeside temple is impressive to say the least. You'll also be guaranteed to get plenty of good photos relatively undisturbed.

View File

@@ -0,0 +1,24 @@
[TOPIC] 26
[Stats] N=20 | Source=../data/original/reviews.tab
(1) I think I expected more from the Ulun Danu Bratan Temple. I'd seen a few gorgeous photos before my visit. They kind of painted a picture that this temple was bigger in print than it was in reality. \n\nWhat the photos fail to warn you about is the total commercial carnage of the place. Not very spiritual. All about taking, not giving.....especially money.\n\nGrim faced officials guide you to the gateway (generally all smoking in between whistle blasts). You buy a ticket from an equally officious guy at the \reception\" counter and then you walk five metres to another desk where two more grim-looking gents (also smoking) ceremoniously grunt at you, before one rips your ticket in half as if to say, have a nice day, but do it quickly!\n\nThe approaching grounds are stunning, dotted with bright red and yellow Tropicana Canna flowers. But if you think you are going to find peace and quiet, turn around and count the 70 buses parked outside the gates, for they have unleashed hourdes of soon to be discovered tourists doing exactly what you came to do. It is like one moving sea of selfie-sticks and local photographers hawking competing memories. I came here to be inspired and moved. I just didn't expect to be moved to laughter!\n\nThe setting is fantastic and being that it is one of the two largest inland lakes in Bali (I think), it is worth the trek up into the hills. Just remember that the rest of Bali could be bathed in sunlight, but up here, you are literally in the clouds so expect low formations and grey skies. And if you really want to escape the craziness of the massive throng, how about ruining the peace with a speed boat ride around the lake. And yes, you have to pay for that too....and many do!"
(2) Ulun Danu is my favourite place at Bali. This is my second time. The first time in 2004, when i had my honeymoon\nThe place very clean\nAlways want to come back\nMust visit place
(3) Perhaps the most photogenic temple of Bali, Ulun Danu Bratan is spectacular, beautiful and amazing. It was a very long drive to get to it but it was well worth it, as the location on the edge of Bedgul Lake, its architecture and background make it unique and not to be missed.
(4) I went here with my friends. The view was VERY amazing. I mesmerized with all the view in this area. It's more beautiful than what I expected. It wasn't raining but it was cloudy, just in case of raining, please always bring your umbrella. the weather in Ulun Danu Bratan Temple was cool. The lake view was amazing. There were motor boats and canoeing for those that wish to par-take.The place was so crowded but you can still get a good picture in front of the temple.
(5) I want to say in just 21 words about my first experience in Bali with Wayan , an excellent guide :\nPast, present, prosperity,\nLove, labour,landmarks,\nTemples, talent, traditions,\nHistory,harmony,heavenly,\nSea, sunshine,sand,\nFeeling, flowers,fantastic\nBeautiful, Blessed Bali...\n\n
(6) Pura Ulun Danu Bratan, the temple of the goddess of the lake is on the edge of lake Bratan. One part of the temple is actually in the lake.\nIt was built by the king of the Mengwi province in 1633.\nThe lake itself looks very nice when the clouds descend and touch the water. It's best to visit the lake and the temple in the late morning, have lunch and then drive into the cool mountainous areas of Bedugul and Papuan. Some of the areas of Papuan are about 4000 feet above sea level and are much cooler and often shrouded in mist and cloud. This is the plantation area if Bali growing fruit, vegetables and spices.\nOne one road near Papuan is a large tree through which the road built, a hole large enough for a small bus to pass. Some of the locals call it 'Bunut Bolong' or tree with a hole.
(7) We chose only 1 temple to visit in Bali due to limited time. And we chose Ulun Danu Bratan because of the good reviews.\n\nIt took us 1 1/2 hours to get here from Ubud. Lots of tourists but grounds are spacious and weather is cool. It's nice to walk around the complex and just enjoy nature. The temple in the lake though is not as spectacular as I expected. It is however still a good place to visit especially if you're going to Jatiluwih rice terraces. \n\nThere are touristy cafes and shops near the entrance. Toilets are clean but are not free (IDR 2,000). Temple entrance fee is IDR 30,000 I think.
(8) I cannot be objective, since my fiance proposed to me at Ulun Danu temple, however, what I can certainly say, is that what inspired him to do it there and not at a restaurand as he had originally planned is that we were both awestuck with all this beauty. For me, it is the most scenic temple I have seen, situated on the Beratan lake, and king of fogy as if you are in Scotland. It 's worth the driving, don't miss it.
(9) In such a serene setting, this is easily the best temple in Bali.\nWe have been to Bedugul twice before. On the last trip Lake Bratan had flooded over the pathways and we wanted to see whether Pura Ulun Danu temple had been damaged.\nSeveral buildings are currently undergoing restoration, but the “floating” temples on the lake have been restored, as has the bamboo “island” near the shore.\nPura Ulun Danu, in my opinion is not the largest but the most serene in Bali. Its setting on the town end of Lake Bratan is beautiful and a fabulous place to spend some quiet time, meditate etc.\nSee pictures for changes to the “Floating temples” and bamboo island. Entrance fee has increased to $3!!
(10) If the phrase \Drop Dead Gorgeous\" could apply to any place then Pura Ulun Danu Beratan fits the bill perfectly. Located in Bedugul atop the mountains, this scenic temple situated on the Beratan Lake (the second largest lake in Bali after the one in Batur) has breathtaking views, cool mountain breeze and misty forest tops. No wonder this is one of the must see places in Bali. Have your cameras ready!\n\nWe were fortunate to see the festival dance during our visit and the music is so unique and refreshing. The devotees clad in traditional costumes worshiping at the temple were a treat to watch.\n\nThe temple has a nice Indonesian restaurant serving good buffet food. It also boasts a playground to keep the young ones busy and happy. We greatly enjoyed boating across the serene lake soaking in the great scenery. Clearly, this was one of the highlights of our trip. \n\nRecommended to visit on sunny days. As this temple is at a higher elevation, it tends to get very cool as compared to the Bali beaches.\n\nTemple Entrance Cost (in IDR): 30K for adults; 15K for children\nBoating Cost (in IDR): 125K for 3 adult boat; 152K for 4 adult boat"
(11) In the afternoon will be more crowded the visitors are coming. So if you want to visit the temple of Ulundanu, better in the morning. The lake is located in bedugul area is very beautiful and also a cool place and good for enjoying a cup of hot coffee.
(12) Although this may seem churlish, one can get too much of a nation's temples, but this really is worth a visit. There are a number of temple buildings, but the most impressive is on the lake shore. \nSadly, there had been some strong rains and flooding had a occurred a few months before, so renovations were underway. \nUlun Danu temple is one of the more spiritual places we have visited, with a splendid view over the lake. \nI certainly recommend you visit. Bear in mind that this is a highly religious attraction, so suitable behaviour and attire should be considered. \nOne can also get refreshments and souvenirs at the little shops nearby. \nGo with a guide, if possible.
(13) I really enjoyed visiting this temple and i consider it he best temple in bali, big gardens,nice buildings overlooking the lake where you can see mountains on the other side,has a peaceful and serene atmosphere.Simply its amazing.\n\nI recommend a day trip: going to gitgit waterfall then down to Ulun Danu temple then the beutiful jatiluwih rice terrace,its a full day trip and the car cost me 500k,avoid normal taxi and book a car from any tourism booth and keep bargaining.
(14) This is an iconic temple for tourists to Bali. It's a small temple complex, so include other sights as part of a trip to the temple. Unlike the locals who look after the Besakih temple, the locals at Ulun Danu are friendly and welcoming, the entry price is set and a guide isn't required or pushed at you. I'm glad I visited Ulun Danu as there was a ceremony taking place and they are always special to witness.
(15) Ulun Danu Temple is a Balinese Hindu Temple located in Beratan Lake of Bedugul Bali, we went there in the early morning at 9am, just few tourists there, we took 20 mins walked around the temple, nothing special.
(16) Not worth missing at all...Let this be your first destination in Bali...\nLooks like a floating temple in water with cloudy hill at the background and lake body...Mesmerizing, scenic, picturesque, breathtaking, etc. etc. You can hold your view and then cannot hold your cam...\nThere is also boating on the lake side an I recommend for the motor one...which s quick and with same good views...\nBehind the main temple premises lies a small greeny area which is again worh taking pics and staying a while..\nBali is incomplete without a visit to Ulun Danu....on your way back you also can visit flee market, which is ok to buy if you can bargain well...
(17) I left central Ubud at 6 am and arrived to Ulun Danu around 7.15 am. There were already one small group of tourists and a couple there. However, I still had ample space to take nice photographs and the environment was very quiet and serene. The floating temple was beautiful and definitely worth the visit. I paid 50,000 IDR for the entrance fee. \n\nThe only thing that ruined the place was the statues of cartoon characters scattered near the entrance.
(18) After a long and winding drive into the depths of Bali's hillsides, our Temple Tour with Discova took us to the one and only Ulun Danu Bratan Temple. Famed for its location on top of a lake, this temple is a hotbed of tourist activity and when the site is as gorgeous as this is, you can hardly be surprised.\n\nThis temple has one of the rare benefits of having both distinct Hindu and Buddhist influences on its architecture, with the plurality of belief showing the unique cultural blend that makes Bali so special. There is also a gorgeous mural that shows the history of how the lake has affected the communities around it, which further adds to the local flavour of the temple.\n \nWhen we visited Ulun Danu, there had been no rainfall in Bali for next to six months, and as a result the lake itself was sitting quite low. This meant that we didn't get to experience the temple at its most picturesque, and yet still the majesty of the temple impressed us. \n\nThis all being said, the volume of tourists was so high that it was very difficult to truly enjoy the setting and stories behind the temple at Ulun Danu. I did say that this temple was a hotbed of tourist activity, and while some may enjoy that, I feel that it detracts from the purpose of visiting a temple.
(19) Yeah, I think I was lucky when I arrived there I watch the balinese music and pray. This place offers not only the famous temple which is the icon of Bali, but offers paddle boat or power boat trip around the bratan lake. For several times visit (December to May) I get cloudy and drizzle. Many tourists come here because bratan lake and Ulun Danu temple is one of favorite destination in Bali
(20) This temple is the perfect location for that all important trip photo that you can be proud of, if you time your visit correctly.\n\nMy friend and I visited Pura Ulun Danu Bratan in November, the very start of the rainy season, however the rain hadn't started to fall just yet. As a result this lovely, almost floating temple, was actually surrounded by grass on three sides of the temple voiding the opportunity for the great photo shoot. \n\nAs with everywhere in Bali there are tons of temples, the main feature of this temple is the lake the temple is surrounded by, make sure you visit post rainy season as this is presumably when the lakes water levels are highest otherwise if you're from Europe you'll find locals and visitors wanting photos with you more than they do the temple. Strange experience to say the least.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) this is very nice temple on the sea beach. Good tourist atraction on the beautifull place. Shame that you couldn't go inside.
(2) While the temple complex is pretty ordinary and small... The place deserves brownie points for breathtaking views.. Of the indian ocean.. The location of temple right on the tip of cliff with waves after waves of ocean hitting the rocks beneath makes for a picturesque location. \n\nOverall a must visit location
(3) How this place maintains such a high rating is beyond me. The site is an overrun tourist dump. You can't enter the temple areas themselves, you're nickel and dimed with paid toilets, tons of bothersome vendors hawking postcards, t-shirts, photo services, etc.\n\nMore than that, the natural beauty of the place is spoiled by trash-ridden dirty beaches and tons of construction.
(4) Great view of sunset, lots of souvenir shop around. You can walk on the shore when the tide is low and have a close look of the temple.
(5) We went to this temple at sunset. We are not allowed to enter the temple. But the scenery around the temple is worth the visit.
(6) Entrance fee is 65,000 rupiahs for one person and parking fee for the car. There are many vendors and several restaurants located along the way to this temple. Too many for my taste!\n\nMy excitement about seeing this temple waned as I walked towards this temple. Other temples I visited in Bali these last these last three weeks are more beautiful than this one!
(7) Tourist heaven! If you expect the pictures you see on IG, you need to walk away from the crowd! But if you go too far, watch out for the tide as the sun goes down. \nIt is beautiful but as Ive mentioned its where everyone wants to visit and take pictures. \nSelfie sticks, patience to wait for the sunset and navigate through the crowd is a must. I personally enjoy less famous but less touristy temples
(8) I have now seen most of the major temples in Bali and Bratan temple is my favourite, the backdrop is a help but this is a very picturesque temple, entrance fee is pricey by Bali standards but well worth seeing.
(9) It is pretty far from everything, but it was worth it. Very picturesque settings and lots of photo ops. You only look at the temple which is placed in a lake at the foot of a mountain. Beautiful.
(10) Our visit was part of a tour starting with a spa and ending with a seafood meal by the beach both of which were terrible. The temple visit was only OK because we then paid extra (a lot extra) to see the dance which was good, but my don't they pack everyone in. The location is stunning and I wish we'd been there earlier to walk further along the path as you only really get to see the temple from a distance.
(11) get a taxi driver off the street and negotiate a rate for the 1/2 day and the go to the temple as early as you can because the traffic is absolutely horrendous but worth it when you get to Tanu Lot temple, it would help if you can speak a little Chinese as there are thousands of them there
(12) amazing sunset from near by the temple, the temple just on the rock, look very beauty and the wave completed views. will come back again to this place.
(13) That temple have a very special view, standing 70m above the sea level, it allows you to look at the ocean below directly. Worth a visit!
(14) Lots of tourist traps but not much in the way of access to Temple, which is all good wouldnt last long with 1000 of people each hour walking over it.\nMost go in the arvo for sunset and traffic is horrendous.
(15) Very beautiful lake temple. Very picturesque location and surrounding. This a must visit as part of Bali tour.
(16) The scenery here is beautiful and reminds me of the coast line of the great south, Western Australia. Some amazing photo opportunities. Best to go when not over loaded with tour buses which was our experience. Otherwise it would be a peaceful reflective temple. Be warned about the monkeys stealing your sun glasses etc and keep your distance, they're fun to watch.
(17) Good place to visit but visitors are not allowed to go to the temple...even to halfway... during tidy times there won't be any way to reach temple. Sunset is good from the sunset point near temple. Best time to visit is...in the evening.
(18) Had my sons wedding in Bali, so relaxing, looking forward to going again.\nBalinese folk so welcoming, shopping and restaurants a hive of activity.
(19) We were lucky enough to have a private driver from our hotel, Alila Villas, give us a tour of the Temple. Thank you Ngyurah! We were just expecting for him to drop us off and wait, but he actually went in with us, took us all around the grounds, and told us all about the Hindu culture in Bali. It made the experience much more interesting. He also took some amazing pictures of us. So stay at Alila if you want the top notch private tour! \n\nThe temple is beautiful and we had a lovely experience there. We went around 10:30 AM. It was a little bit hot, so I would suggest dressing in cool clothing and Id say the earlier you go, the better. The views of the ocean are just remarkable and the temples are beautiful. And it was not that crowded. So go early to beat the crowds!
(20) The temple itself is quite beautiful, but it's super touristy and there are people everywhere. You also can't get into the temple, which was quite disappointing.\nBut it is a nice place to have a fruit shake and watch the sun go down behind the temple.
(21) Entrance fees per person about idr 60k. Need to go during low tide so you can walk to bottom of the temple. Check google or local tour guide for schedule. There is a yellow marker below the temple where natural spring water flow out. Considering at sea should be salty water but its like normal water. Temple not allowed to enter ..just viewing from outside.
(22) The temple was ok, nothing as special as the ones you see around Bali in general which have more decoration and are more lively with prayers going on and more visitors.\nThe views from the cliffs are good but nothing beats going to the surf beach and seeing them from the sea view if you swim out!\nThe entry price was cheap so that was one plus! If you have a day to spare on the Bukit peninsula go to the surf beach instead and get a massage!
(23) Such a disappointment after finally making our way there after four visits to Bali! Yes the Temple is special and it is interesting to watch how the ocean tides impact on visitors, but the commercial aspect of the place overtook the significance. We were lucky to be there during a spiritual time so observing locals in traditional dress was a treat. Not sure it is worth the trek if you are down in Nusa Dua or Kuta area.
(24) It is just one more temple that was spoiled with modern ugly colorful waste bins and animal figures. Kids playground from the 1980 Soviet Union period metal and ugly, swan catamarans, thousand of people and tourist shops. No worth visiting!!! Do not waste your time
(25) Interesting, but not much to see. The temples are really old and run down. Gives you a good view of what temples look like.
(26) Cannot enjoy the view, too many tourist, more like a flea market. It's a shame, really, such a beautiful and sacred temple, become a place for tourists to take selfie while bumping each other.
(27) This temple is one of a kind, set out in the sea. Although it is a place of worship, it is not the typical quiet place for worship. It is a tourist attraction with thousands of tourists snapping pictures and in shorts and tank tops. There are signs requesting visitors to cover up because it is a holy place but not enforced. Visitors should respect this temple as it is a place for worship.\n\nIt is so picturesque and definitely worth a visit.
(28) Sacred place and ideally located for watching sunset\nGood street market near the temple \nA must visit place
(29) Absolutely beautiful if you go super early in the morning and watch the sun rise in utmost peace! The temple is usually not open yet but I was practically one of three people there and had the opportunity to take the most beautiful photos!
(30) Much too commercial, temple not that impressive, too many people, shops, restaurants. View over the temple and ocean is okay, but overall not worth the effort.
(31) One of my favorite sights in Bali! \nYou could easily spend there at least 3 hours... so many things to appreciate! . Amazing temples,each with its own ceremony, beautiful beach, surfers, religious music, beautiful sunny day.... wow wow wow
(32) This place is lovely and peaceful. Great views of the sea and nature of Bali. You can also go down to the temple its self. Would recommend as a must in Bali.
(33) Great view but the temple is just nothing to see. An empty square space on a hill. Not worth the time to get there.
(34) Went with my wife while staying in Canggu. My advice is rent a moto and just drive there. Not worth to pay a tour being so easy to access. The temple and the area is beautiful and there are markets around. Please try the corn... it is delicious. We had rain but it was still wotrth it
(35) Please allow 45 minutes of stay here. I went there around 3:30 in the afternoon when the tides are away and the base of the temple was accessible. You also want to make a bit detour to the platform located about 200 meters away to the right of the temple where you can take a great shot of the temple.
(36) this is a must see .stunning sunset but lots of traffic. the temples was beautifull. very much worth a visit
(37) I simply loved this temple! The setting is perfect with the lake and pretty garden around.\nThere is a great positive energy to this place you can close your eyes and soak it all in! To add to the charm it has such a picturesque setting!
(38) The views are amazing. I definitely think it's a must see for travelers. There's a reason why it's so famous! It's astonishing. We were not even here for sunset we came just before around 4:30 and it was still amazing.\n\nBut reviewers are right, this place has turned into a sad, pathetic, unholy, scamming environment. People selling the SAME items every 5 steps you take. You have to walk through a MAZE of shops and markets just to get to the temple!\n\nDo not pay to touch the \holy snake\" - scam.\nDo not pay to take a picture with a snake around your neck - scam!\nDo not , and I repeat , DO NOT pay to walk across the waves, get soaked, to get a closer view of the temple because YOU ARE NOT ALLOWED UP THE STEPS ONCE YOU GET ACROSS. So you wade through waves and get your clothes soaked and pay a donation for no reason. You walk up 10 steps and they tell you you can't go any further. Useless, money making schemes.\n\nAlso, NO idea where these \"donations\" are even going. I'm sure at the end of the night 0% of them go towards the temple maintenance or groundskeeping, I'm almost sure 100% of it goes right into their pockets. \n\nTravelers: Go. Visit. Take pictures. Watch the sunset (even tho there's a thousand people around you, just do it. It's beautiful.) and walk to the beach to get a closer view of the temple. But don't fall for the money making business that is so prevalent in Bali."
(39) its advisable to wear slippers or flip flops if you want to get to the temple because you'll have to go through the beach. there are several puddles of sea water between the rocks and please be careful not to hurt the marine life trapped there during low tide.
(40) Pretty temple in a pretty setting, but its kinda swamped by tourists and the park around it is just kinda weird. We stopped here on the way to Lovina, but I think I would have been a little annoyed had I driven up here just for the temple. Don't eat at the restaurants in the temple. Worst food we had in Bali.
(41) This one should not be missed on your Bali trip. This temple on lake is really beautiful. The architecture, background, location of this place is really amazing.
(42) This was just so pretty, the flowers surrounding the edges, the temple itself, the grandeur of the lake and so privileged to watch the ceremonies take place too. Was well worth the drive to get here.
(43) I didn't like it because it is so touristy! On the way to the temple you're harassed by people wanting to sell you the same stuff you see everywhere. The temple itself is alright, but not really worth spending money on (transport and entrance fee)
(44) We went there with young children so did not hike to the top temple but the views from the first two temples are great.\nThere are many locals who come for prayer and actually very few tourists, the atmosphere is nice and respectful.\nHighly recommended, I would also recommend to spend a few nights in the region which is often overlooked but very attractive (temples, rice fields, nice walks, beaches from Amed or Candidasa regions very close)
(45) Amazing and beautiful temple located in a lake, which has amazing hill views as well.this one is also public temple.
(46) It is nice to go there and watch the sunset and fire dance show, however it is like most temples in Bali and can be skipped if you are on a tight timeline.
(47) Ensure you plan a whole day for this activity as the drive is long and if you are feeling energetic then a round trip to see all 7 temples can take around 4 hours. Cheap admission and they donations without forcing any fees. Beautiful temples built in a tough environment which makes it all that more amazing. Worth a visit to get away from the usual areas populated by tourists.
(48) We were recommended by a good freind to cost this temple and I would always thank him for that. It's one of the most beautiful temple in bali. Situated in a beautiful serene lake, this temple has some amazing architecture and wonderful view which is surrounded by a mountain on the opposite side. It's in the north part off Bali and is an hours drive from Ubud. You would need to pay an entry fee to enter the temple premises. It's primarily a Hindu temple but also has a Buddhist temple in the compound. \nA must visit place and should be part of your travel itinerary.
(49) Yes, it is a scenic temple on the lake but it has become a heavy tourist trap. The ticket price again went up and now it is 50,000 rupiah, a lot of money in Bali, and especially for this temple. You don't even need to wear a sarong. This says everything.\nPlus at the exit you are forced to go through a souvenir shop!!!
(50) If you go there to see some beautiful temple you'll be disappointed, just like us.\nThe temple is really small and you can't go close, really wonder how some people make those crazy pictures.\n\nIt is true the cliff and nature are beautiful there but that you can also enjoy for free, without lining up with tourist busses.
(51) Nothing much there because when we go there's high tide so we couldn't make it to the temple. There's a few shop where you can buy souvenirs at a fairly good price. Overall nice place to visit!
(52) Nice sunset but so many tourists, for me not worth it. There are more nice temples with less people.
(53) Awesome temple. Went here 2 times and still love it. There is 7 temple to see in this mountain, u can do hiking along to see all the temple.
(54) There are two temple in the lake but guest can go because they only put the gate for the ceremony.\nBe prepare for the rainy season, you can enjoy going around the lake by using the speed boat and also enjoy the garden in the front. They really take care of the place especially for special event this june.\nMany flowers, and if you come this month you can see many Balinese culture like dance, music and also things like penjor, offering etc.
(55) The temples are located on a lake in the mountain area - very picturesque and really worthwhile to visit. Would recommend this as a must see attraction in Bali
(56) 60k to get in plus parking. Very busy with lots ot tour buses. The temples themselves are very beautiful but not out of the ordinary
(57) Beautiful Temple by the beautiful cliff. Breath taking view, specially at sunset. A must see when you are in Bali
(58) This is definitely the most magic and beautiful place we visited in Bali. It's so authentic, the temple on the water and the environment are so enchanting that we were speachless.\nMust see when travelling around Bali!
(59) This temple was on the cover of my Eyewitness tour guide so I had to see it. However in September there's no water around the temple like you see in pictures. Also there's tons of tourists so expect to have them in the backgrounds of your pictures. Overall it was worth the LONG drive to the top of the island to visit and you can see the volcano nearby. You are not required to dress special to visit which was nice.
(60) Views of the cliffs and sea were gorgeous but that was pretty much it. There was a Temple to climb up to but you cant go in and explore. You had to pay to park before paying again to enter.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) I'll never forget my experience here with my family! I do wish I was able to arrive a little earlier to go into the temple. To be advised to be there at 8am onwards as the crowds aren't that huge and an opportunity to visit the floating temple.
(2) Although it was EXTREMELY busy and EXTREMELY hot, it was still worth it and a tick off the bucketlist!! The views are incredible and the sheer beauty of the temple in the ocean is just breathtaking. We enjoyed a coconut freshly cut open (would have preferred it ice cold) but still memory material straight away!
(3) Nice stop on a day trip around the island. Beautiful temple on the sea. Lots of shopping leading down to the sea temple. Not too much sales pressure and the prices are not aimed at taking advantage of tourists. Tee shirts for $1.50 USD. Weate at one of the hilltop restaurants. Great views of the temple island. Food was good and price just fine. $21 USD for family of five. Worth seeing.
(4) To admire the scenery of this temple, which located on the cliff and amazing ocean. When we visited this place, the tide was high. So we could not go down to the below temple to see the sacred snake. But the scenery around will not let you down. We all were amazed with it 😍👌🏼
(5) This place combined Chinese culture and Balinese culture, as you are already know that a long time ago there is a Chinese trader's daughter which married with Balinese king, so from that time a lot of Balinese habit which took from Chinese culture.
(6) We enjoyed walking around this temple with its beautiful lakeside setting. It is very popular so expect crowds. It is an active temple so there are areas you are not allowed to enter. Plenty of photo opportunities and as it is an active temple interesting to observe the local ceremonies.
(7) If you love sunset by the sea, this is one of the gorgeous places in Bali. Perfect view from many angles. Sunsets from about 5.30pm. But 6.15pm, sun is gone. But it's quite crowded. According to our driver, it's crowded everyday. There's entry charge of RP 30,000 per person and RP 5000 per car. \n\nIf you are not such a sunset person, then I think there's nothing much here. \n\nThere's some market shops along the way walking into the temple, so it's good to come a bit earlier if you like shopping.
(8) Nice location on the cliffs of the Bukkit Peninsula, but didn't really feel like the temple was all that much more special than any of the other ones you can see for free. Lots of monkeys, but watch out as they will steal your food, sunglasses, hat and anything else they can get their hands on;-) There is a sunset worship service they put on every night, but it costs $15 per person to see when went which we thought was a little much to charge for whats supposed to be a religious ceremony.
(9) Best time to visit this temple is during sunset. Make sure that its low tide so you can access it. Also it will be crowded so make sure you find the best seat to view & enjoy the sunset. There are different vantage points though.
(10) Even though it was cloudy and started to rain it was a pleasant visit. Worth 50,000 rp or 5 dollars Canadian is was worth the money, just expect a high volume of people as it most definitely appears to be a hot spot for tourists. Definitely walk to the left of the temple, people seem to crowd the front for pictures not heading to the west side. They have restaurants here but didn't stop in any of them. Looks like good local places to eat a cross the street. I brought my book to read it the clouds brought rain making me hide. All in all, it's a nice place. Really neat to see locals dressed up for the celebrations that have been occurring all week, but probably more busy due to that.
(11) A lovely location with great views up and down the coast. The Temple itself is lovely (from the outside) but you do have to dodge the hundreds of people doing selfies. Great breeze!
(12) Although it was not in our list to visit this temple, but later on way to airport, we planned to make a quick visit. On reaching there, we felt that we would have missed an amazing place to visit if we had dropped our plan. We went on a sunny Sunday afternoon, busting with so many visitors, the place was full and those who love photography, they would not stop clicking photos from various angels. The only flip side is that, you are not allowed to visit the temple, as it is surrounded with water. They also must ensure that it is very danger to stand at the click of the stone, can be very fatal when you click photos. Good place to do lot of shopping and relaxing
(13) Beautiful water temple located a couple hours drive from Central Ubud. Very peaceful and relaxing boat ride, and also a great spot to take a nice photo of the mountains and lake! It was a nice experience to see explore outside of central Ubud :)
(14) Great place to get amazing sunset photos and pat the sea snakes see the temple in unusual place in the water
(15) Picturesque temple with great sunset views. Best visited early in the morning before crowds arrive or later in the evening for sunset. Beautiful all times, temple can only be visited during low tide, with a short walk across to it.
(16) What a beautiful scenery! Everything is said in the picture! Even though during dry season (we were there in September) the temple is not surrounded with water, it didn't left us disappointed! A must visit place in Bali, I recommend to go there for a sunset, but it's going to be very busy. If you do, make sure to leave as quickly as possible, when the sun goes down to avoid traffic. Besides the temple, there is a small market, people selling various souvenirs. We also enjoyed our picture taken with a python for a small price :)
(17) A bit overrated, probably because this one is in the top 5 must sees of Bali. The temple itself is tiny, and you can not enter it, which is quiet understandable. The oceanviews are great, but that is about it. Busloads of tourists come here but there is actually not much to see. I wouldn't recommend travelling long for a visit.
(18) Amazing view and location, especially for sunset. The temple was serene and tranquil (forget about the tourists and the noises) if you really look from the location and the situation point of view. The high point of the the temple on the cliff brings the tranquility as its height and the sound of the huge waves below brings the serenity deeply into the soul.
(19) Out of all other sites on Bali we choose this because of the reviews on trip advisor. I have very few apps in my phone but trip advisor is one of them. Love this app.\n\nNow getting back to temple we reached just before sunset so the view was spectacular. They stick rice on ur forehead as a tradition just before visiting the main temple. You have to remove your shoes to reach the temple as you have to cross shallow water. Overall a nice place to visit.
(20) Excellent place to spend time 1.5 hrs, enjoy lake surrounding with option for boat ride. Enjoy Hindu Balinese temple architecture and history
(21) A lovely temple to see and visit. You pay to go in I think we paid 35000IDR then if you want to see the “holy snake” they make you pay a donation and if they dont like the amount make you pay more. If you want to be blessed by the father you have to pay a donation (I thought the purpose of a donation was it was voluntary) but the father doesnt mind the amount. We visited on low tide so didnt have to go through the water otherwise would have been hard with my 2 year old and a baby. Lovely gardens to get some photos in. And some markets to do some shopping in.
(22) This is the best known attraction in Ubud and everyone goes including bus loads from the South. In the middle of the day it is overwhelmed by visitors. But it is a genuinely charming place with real atmosphere. Go early as soon as it opens and make sure you get right down to the temple at the lowest point. There is a nice short gorge walk down there also.
(23) Overall an awe-inspiring evening spent watching the sundown from the cliff top above the temple. Should be a must for every visitor.
(24) Scenery was ok, we went in the afternoon, sun was in the direction where the photos did not turn out so well. There was a ceremony at the temple on the day we were there and there was a big group of local boys and girls playing traditional instruments and dancing. We enjoyed witnessing the ceremony greatly.
(25) The weather was cool when we visited. The journey to this temple is very scenic & breathtaking. You can feel the coolness of the temperature while your vehicle ride up the mountain. Truly love the picturesque and stunning views to this temple. The majestic mountain looks awesome too! 💕
(26) We hired a private car with driver to bring us here. The entrance had a line of cars but it was fast moving. There were numerous shops for souvenirs. The walk to the temple was exciting since the transition from the flea market to the beach area was quite a pleasant surprise. It was breathtaking everywhere you look. Although it was very crowded we still managed to have our own space enjoying the view. Make sure you have comfy walking footwear that can get wet. A fan would also be nice because it can get hot and humid. Always bring bottled water and a standby umbrella in the vehicle. It drizzled when we arrived. And we had our toddler with us. It was worth the travel and worth seeing again for sure. We ate a restaurant up the bluff and had an amazing sunset view.
(27) There are huge crowded especially during sunset,,sure everyone want to see glorious view of sunset. The ticket is bit expensive compared with others temple fee.
(28) Awesome view from the top. But not as interesting as the picture. Good entrance $ for the temple.\n\nWould recommend to make a trip there as sunset there is really nice.
(29) A very beautiful temple. My wife and i visited on our honeymoon. It is very busy and very popular. Would recommend visiting other places nearby aswell if in the area as it was quite a lengthy drive from our hotel in legian
(30) The view around the temple is very stunning, surrounded by lake and mountains. The weather is cool. The temple itself looks like floating on the lake.. cool. Enjoy total relaxing here.
(31) A beautiful walk with some absolutely breathtaking views! Not a temple as such, but more like a coastal walk around the temple grounds, overlooking the ocean. I recommend going earlier in the day as it can get quite busy, but the entry fee is about $3 AUD - so really affordable and well worth it! Relative fitness level needed as there are a fair few stairs.\n\nWould definitely recommend!
(32) It was worth visiting during sunset and there happened to be a ceremony so that made it extra special but it was very very busy.\nWe walked all the way to the left and it was more quiet and best of all, you get a better shot at the temple dujring the sunset.
(33) The famous temple on 50.000 IDR bill (yes, it's a compulsory to take a picture with it). The place is quite far from the city, that's why you need to bring your private vehicle. Located beside the lake and surrounded by mountains made this temple just special since it's not only about the temple itself, but also the ambiance also matters. I enjoy the fresh air around the most.
(34) It is mainly a viewpoint from where the vast beautiful sea and its waves can be seen hitting the cliffs. The temple part is closed for entry as it is only for praying only
(35) Enjoyed not only the temple but the black sand beach as well. Really unique to see something in there water like that. Don't miss it if in the area.
(36) Don't fall on the friendly \guides\"! They just help with the sarong and then keep going with you, telling you unimportant stuff. At least our guy did. And then he asked for 100 000 rp. Waste of time and money. The temple itself is also nothing special. The view from the cliffs is beautiful, but that's all there is."
(37) One of the main tourist attraction everyone would tell you to go when in Bali, hence the overly packed tourist in here. But the temple surrounding is beautiful for everyone who loves to stroll around. The views is also another plus points as this is located in the beach but also a hill, so wear something comfy if you planned on walking around this area. There is also a street full of stores that you will be passing to get inside this area, where you can find souvenirs, snack, and even some more familiar branded store here.
(38) A temple on the edge of the earth. It really was quite beautiful, especially at sunset. Lots of crowds though so if you were thinking it would be peaceful, think again. Lots of people, markets, you even get to pet the holy snake that protects the temple if you are so inclined. Not sure how happy he would be about getting touched all the time but it's an option.
(39) After reading various reviews I was a little unsure on what to expect. The sanctuary is split in two with the smaller temple very picturesque and a lovely walk. Worth a visit!\n\n
(40) After 12 visits to Bali over 40 years we finally visited the temple. Glad we did but very ho hum. The views are great but the Temple itself is less than the average local Balinese Village Temple.
(41) This is another must in Bali, the location is beautiful, black sand, you dont see that everywhere. Temple is very nice too.
(42) We took a cab here just for the sunset and did not go into the temple. Yet the stroll around the area was quite relaxing after you passed all the stalls and shops. The view was great but the traffic was a pain in the butt.
(43) The guided walk on cliff side deep dlue sea, and below sea wave and nice garden like place. Wow. Temple view at the top of the cliff just added the wonderful sight.
(44) Don't get me wrong, it's breathtaking, particularly the views. The temple complex is nice, if not similar to many in Bali. And the sunset is wonderful. But the crowds! It's mobbed. I guess that's not necessarily a bad thing, people enjoying a beautiful setting. \n\nIf you are a photographer, don't forget to bring a tripod for the sunset photos. Although it will be challenging to find a spot without a mob of tourists blocking the view.
(45) my tour guide in bali took me everywhere \nexcellent boy \nand they were 2 in English and Spanish\nin this temple have water garden and mystic you must go \nBali is magic like cape town in Africa, or Luang Prabang in Lao
(46) I just personally love this place its such an unique temple, and the whole place itself is amazing. \nI will recommend to watch the sunset there it's so beautiful. \nA lot of merchants but it's ok.
(47) This is a nice temple but it is a shame that it is over run by tourists. Fantastic place to get some great photos from
(48) It's so commercialized, it's full of shops and hawkers and as a result you are being hassled to buy something every 5 steps. \n\nI just wanted to look at the temples and take in a peaceful atmosphere. It's nothing like this at all, there's thousands of tourists and it's more like a busy bus station than visiting hindu temples. \n\nThe temples are nothing like you see on the photos online, which have been heavily photoshopped. They're ok but you can see better temples on every corner in Bali. \n\nI left feeling sad and disappointed as I'd wanted to see it for a long time.
(49) Lovely temple and can do a bit of shopping. We can see the temple from the top and enjoyed our drinks
(50) There are a lot of temples in Bali and, in our opinion, this one is definitely one of the better ones. It is a long drive, time wise, but quite interesting and scenic despite the rubbish and over population/cultivation. The temperature drops considerably from Denpasar which is a relief in itself. We took about an hour walking around the temple and yeah it is just more of the same re Hindu Temples but it is in a beautiful and unique location on the lake and the grounds are very well maintained. They have a water sports business operating on the lake right next to the temple which is pretty typical of Bali. If you are short listing Temples to visit whilst in Bali I would recommend that this one should be on it.
(51) The temple is gorgeous on the lake. We loved it. You can walk around without getting bored and there is a nice botanical garden. Definitely one temple to visit.
(52) The temple are amazing, too bad we can't come closely, they put fence. But the view are really breathtaking, we want to come again next time for sunset photo.
(53) it was overcast so we saw no sunset / but was spiritual to see the temple \nlots of shops and eateries on the promenade
(54) There several temple and the main temple is located inside the sea. Good temple, very nice view. But little bit difficult to go inside the main temple. very nice to be here.
(55) The Balinese follow Hinduism and worship holy Ganga. It has a water pond where the worshippers take a Holi dip to cleanse their soul.there are shop from parking lot to the pond for the tourist and worshippers. Touris have to pay for enterance and camera but no charge for localites. A good place to visit
(56) You may never see another temple like this, completely unique on a little mount on the beach of black sand. Careful when walk up to it tho as the rocks can be slippery in places. \n\nEasily accessible with markets with food, souvenirs, clothes and arts and crafts
(57) relaxing place in a wonderful location by the border of a lake surrounded by forests and mountains, but many times rainy... the temple is interesting
(58) I am so glad that our guide brought his here. The setting is stunning and as one previous reviewer stated, \you could believe you were in Switzerland rather than Bali\". The setting, alongside a large, vast lake is rather breathtaking in itself. It's a busy tourist stop but well worth the views and the history. The temple is maintained very nicely."
(59) The temple is nice but very small and won't keep you busy for long... so make sure you combine with other spots in the area, like Jatiluwih rice terraces that are much more interesting from my perspective. We stopped on our way back to Ubud, the road to go there and the arrival on the lake are nice, but overall it was a small disappointment. I won't go in the area just to see the temple
(60) Lots of ceremonies with a major Temple right on the beach. Sunday my favourite with many Balinese families coming to swim, eat, pray and generally hang out

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) Even though you should visit if you are in Bali, this is not as spectacular as other temples in Asia, but it's different, not great
(2) What a fantastic View from this temple. Absolutely breathtaking. A very worthwhile visit. Take a guide, as they are always very helpful, and give tips as to what to do.
(3) Perched at the top of a cliff, the waves come crashing at your feet making your tour tremendously exciting and memorable!\n\nThe temple was closed to public access so you cant really go inside or up.\nThere are countless cafes and restaurants in the area making it popular during pleasant weather.\n\nThere is also an authentic Ralph Lauren store nearby - good deals if you shop in dollars or UAE Dirhams!
(4) A great temple on the beach, beautiful beach views from the top, a broad, widely available quiet hotel away from the hustle of the city, the surrounding community with the native culture of Bali is very attractive for those who want to be alone or pleased with serenity
(5) Nice temple near the sea shore.However you cannot go into the temple itself just see the suroundings. Many tourists of course... It still worths the visit. I would recommend to go first thing in the morning or late afternoon because of the hot clima.
(6) The money collected for admission is clearly being invested in the temple grounds. It is probably the most picturesque temple in Bali\n\nThis is a very popular temple - so expect traffic delays. We were stuck for almost two hours due to the narrow road and multiple busses making the trek over the mountain to Lovina.
(7) I have been twice to this place this year and both time been disappointed. Too many people there, more interested in selfies that anything else. The place is not set up to bring the right value on theses temples.
(8) Very nice temple to visit with lovely gardens. Can get busy especially in regard to parking but worth it. Very scenic. Small entrance fee, but much larger than we expected.
(9) Go there before sunset to enjoy the temples, the sea, dancers. Sit and have a drink in caffe and watch the sunset.
(10) As expected super busy around sun set time, amazing sunset!!! Just have to dodge all the people for a good shot, temple was nothing really exciting, just the ocean view and rock formation. Loads of touristy stuff around etc. Do not eat at Warung Mandela, looks amazing with the white table cloths and view but food is a disgrace and staff are oddly rude.
(11) The place is situated away from the main stream, but easy to get to. Huge parking spaces and there's a parking fee. The main attraction is located by the coast and has an entrance fee to it.\nThe place used to be very beautiful and sacred and now it has commercialized to be a tourist attraction. There are many kinds of shops around it. \nThe view is still very spectacular, especially for sunsets. The tourist are mostly there during the mornings and sunsets.\nStill worth a place to visit, probably once. It still has the iconic temple on a rock out at sea.
(12) Words are not enough to describe the beauty of this place. Temple surrounded by the late, beautiful mountain in the background, very well maintained garden and fast changing weather makes it one day picnic sopt. As other temples, place of ceremony is accessible to only Balinese but you will not disappoint with it as you can enjoy beauth of the places with cameras and selfie sticks. \n\nWe went there on our way back to ubud after dolphin citing. We also enjoyed awesome vegetarian buffet during the lunch. One of the best memory to take away from Bali. \n\nNot everyone can enter the temple. But tourists can enjoy the beauty of this place.\nThis place is meant for photographers. So much to click around. We got maximum photographs at this place.
(13) We hired a car and driver for the four hour trip from Ubud to Permuteran. This beautiful lake and shrine was recommended as a mid way stop. It was lovelier than we could have imagined. A great place to stretch our legs, enjoy the views, and experience a serene environment. It is well worth the drive!
(14) Its such a nice temple and easy to reach. Just a little bit up the hill. If you want the amazing picture with the „reflection“ then you just have to pay some small money and wait if there are some others around. Its quite funny but looks super cool. Especially if you can see the mountain in the back.
(15) The temple is perched in the ocean. While the viewing areas are crowded,the sight of the temple is exquisite! One can take postcard quality pictures. While we were unable to approach the temple itself, we marveled at the location and were able to approach the rocky shoreline. We also enjoyed the walk around the temple grounds. A attraction not to be missed!
(16) This temple was incredible with view of the sea and also the beautiful sunset. many tourists come to this temple to make the photos wedding, especially Asian people
(17) Here you can find a peace of you soul. It's a must in semyniak that you have to see. Evry temple is unique.
(18) One of the Best places to visit in Bali. Great experience. Arround the temple, there is a big open market with a variety of souvenits at very good price.
(19) We went in the mid afternoon. Very busy and difficult to get photos without plenty of other tourists in them. The Temple it fantastic although you cannot enter. The walk around the cliff ridge line is also worth doing to gain amazing vistas out to sea and further down the coast which are not visible from down by the Temple. Some construction currently going on which can be noisy. More touts and market sellers around here than other temples we went to. Definitely worth a look.
(20) We didn't go down to the temple itself, rather watched the sun go down from one of the many restaurants perched appropriately on the hill.\n\nThe Markets etc were nothing special and it was certainly very crowded, but there was easily enough space at the restaurants to get a good seat.\n\nIf you want to take photos of the sunset over the temple get to the restaurants a little earlier to get a front row table.
(21) I visited this place the same day as Ujung Water Palace. I had a great time. It's a feast for the eyes, with lush vegetation, stone carvings of gods/deities and pools full of huge koi which you can feed as you walk on the stepping stones over one of the pools. There's also a holy spring which you can bathe in for a small cost, although it was a bit chilly for me! There's also a Hindu temple and an amazing banyan tree. The restaurant is good too; great foo and amazing views, although a couple of the staff seemed to have problems with their maths when it came to giving change! Would still go back though.
(22) The temple is fine and the lake is beautiful, but it is swarming with tourists and traffic is brutal. The area itself is great and we had a great time in the more mountainous north of Bali, but this temple was really just one of the many reasons to hed north. We also hiked Mount Batur nearby (even more beautiful and surrounded by largest lake in Bali) and checked out some of the waterfalls nearby. Nice to check the box and see this famous temple, so I get it if you still want to go, but just make it a quick stop and keep moving. As with everything in Bali, if you go early, less tourist, less painful traffic.
(23) Amazing views as you go up and down the steps.\nPlenty of photo opportunities.\nWild monkeys around (watch our for your valuables! Saw a monkey trying to grab a a mobile phone on a lanyard from someone's neck! Another monkey stole a can of deodorant from another tourist's bag!)\n\nSome parts of the place can get overcrowded. I think there were around 4 buses of tourists on the day we went here. Maybe a good half of them with their own selfie sticks!\n\nDo remember that this is a holy place for the Balinese, and please dress appropriately.
(24) Spectacular views of the coast and the temple out on the island, even though you can't go across to the temple is definitely worth seeing.
(25) This Hindu temple is situate on the southern part of Bali standing majestically on the edge of a cliff with a sharp drop to the sea. The walk up to the temple involves climbing a steep stairs and another Ali along the edge of the cliff to the view point which commands a spectacular view of the temple and the sea below. There is a lot of history attached to the temple and most visited temple in Bali. A must visit on your Bali itinerary .
(26) The temple at the sea is spectacular . beautiful area to walk and see the lovely beach . Good place to take a good pictures especially at sunset
(27) Another fantastically beautiful temple. Well there are two there, one in the sea and the other one is till attached to the land, but both look amazing. You can even catch some surfers surfing in the cove. Brilliant views! Make sure you walk down all the paths along the cliff as you can see more into the seashore. Very busy when I went, but don't think there'll be a quite time to visit.
(28) Very nice area, takes about 2 hours from Seminyak to reach. We hired a private tour guide to help as the roads were super confusing to get there by motor bike. There are strawberry farms and luwak coffee farms on the way once you get into the mountains, most appear to be typical tourist traps. \nThere are bathrooms outside, 2000r to use. There are also bathrooms inside.\nThe guy at the ticket desk asks for the proper amount of money but didn't give us a ticket, just waved us through, I suspect the workers keep a fair share of the money. \nAmazing temple on the water, surrounded by mountains and a nice little flower garden and interesting animal shaped plants and places to sit for good pictures. \nBest of all, there is a place to \rent\" exotic animals to take pictures with. They had miniature owls, a huge Python and several large bats. I did the bat, cost 20,000r."
(29) We was here few minutes before close. It was amazing, you must go throw the water to holy place with holy water. Price 60.000 IDR per person is fine. Enjoy this place early then we.
(30) Visited this temple on the 5th day of our stay late morning and we were pleasantly surprised to find a beautiful view. Wow a temple located in the sea. You need to walk a few meters in the sea before you reached the temple and while we were walking we had a big wave that just washed us close to waist length and that was a great feeling we all had. Once inside we were blessed by the priest with the holy water. Really very nice temple. We were lucky to get a glimpse of the snakes after crossing over and we all touched the snakes. A place not to be missed in Bali.
(31) After the day at the Taman Ayun Temple and the Jatiluwih rice fields, this is the perfect place to end the day watching the sunset.\n\nLoved the beach and one of the most recommended places in Bali
(32) Crowded but worth to see. The temple located at lake Bratan, that's why it has really good view. There are restaurants that you can sit and enjoy the lake view and the temple.
(33) Somehow this one passes for the most beautiful of all of temples that there are in Bali. What makes it unique is the location, obviously, however the temple itself is really not worth mentioning. Let alone the hordes of people who all try to get the next best picture, especially at sunset time.
(34) This temple is to enjoy the sunset view. You can visit the temple premises closely only if there is no high tide. Get yourself a picture by the local photographers. They really make a lot of effort in just Rp20000. Also don't forget to look around and also go to the Batu Bolong temple nearby. The view from there is spectacular! We ate at the ocean restaurant but didn't like the food at all. Skip that if possible.
(35) We reached the temple by the sea near sunset. The view was spectacular as the sun goes down and the tide comes in. The waves get higher and higher and more people converge onto the beach, to watch the sunset and to be awed by the waves.It is an experienced to be there.
(36) Great temple in Bali, I was there with my wife in November, the view from the top of this temple is nice, feel so fresh and comfortable.
(37) Featured on Brochures and TV alike this has become very 'over commercialised' including all of the tourist shops you are forced to walk past in order to get to the temple.\nA few viewing spots available but you cannot get close to any of the actual temples, or take anything like the featured photos (which probably use drones along with Photoshop!\nEntry a rather pricey IDR60k (by Balinese standards).\n2157
(38) We had been to this place around morning time. This temple is on the sea shore. \nThey don't let us to go inside the temple but can just take pics nearby.\nLocation is good but too crowded.
(39) This is a unique spot with a beautiful temple perched on top of a rock at the edge of the ocean shoreline. There are lots of shops outside the temple grounds to enjoy.
(40) You have to get there reasonably early in order to find a nice spot. Ideally try to get to one of the restaurants overlooking the temple so you can not only watch the sunset, but catch a glimpse of the buddhist prayer ceremonies that go on within it. Tourists cannot go into this temple but you can watch the goings on from across the water. The sunset is magical. Do not use any of the toilets in these restaurants. Watch out for mosquitoes too! We got some beautiful photos here.
(41) Check the weather before coming here...beautiful temple, perfect during sunset. Its the temple featured in 50,000 bank notes. Ifnu have time, its fun to ride the speed boat around the lake just next to the temple. Recommended.
(42) I went to the temple park during a holy Hindu festival. Hundreds of people traditionally dressed walked from the local town 5 kilometers away as part of the ceremony. I guess there was an actually temple, but they wouldn't let me in. No tourists allowed. So I took a long walk around the property and enjoyed being there. They give out a wrap to cover your legs after paying the entrance fee. I think it was a few dollars, but it should have been free.
(43) This is a must-see! We went in the morning and there weren't many people there. We did not go to all of the levels. The first few levels are the most stunning, from what I've been told. And stunning they are. Make sure your camera works well. You cannot miss the photos from this landmark. Keep in mind it is a temple so you will need to bring the appropriate reverence - and a sarong - to this sacred temple.
(44) This Temple has large garden and if you plan to visit I suggest to stop overnight in Bedugul choosing villa close to the lake with beautiful views to mountains and of course lake.
(45) It's the temple on the lake you can see on the 50.000 IDR bank note.\n\nBut its a quick visit, we had the chance to go there in april late in the afternoon so it wasn't overcrowded (well the weather wasn't at his finest neither).\n\nWell if it's on your road and you have a little time you can take a look (the entrance fee is quiet low, like 30.000 IDR), well a quick look just to take a picture of it (or a selfie)\n\nThe gardens around are very nice too (but also small)\n\n(And that's it)
(46) It's hard to imagine not coming to this temple while visiting Bali. Definitely a must see and therefore it's almost always full of visitors. Especially popular for sunset views.
(47) Hearing it's a temple you may not be very kicked about visiting but do not miss it irrespective of which area of bali you are in and how much travel time it takes. It's nature at its glory ..The setting ..The temple ..The sea and the sunset ..worth trip. You can take a small walk around and visit the spring inside the cave but only if the tide is low. Then walk up to one of the cafés and enjoy a beer watching the most magnificent sunset of your lives.
(48) The temple is not open to visitors but only for the priests.. so have a good evening here with your co-travelers admiring the beauty of rough waves of Indian ocean and the pretty sunset.
(49) Nice views from the path leading towards the temple. Unfortunately visitors are not allowed inside , don't know why. ?!!
(50) This place is one of the famous place in Bali that people wants to come. There are the temple there. Nice temple, nice view. But the best is if you like to shopping, this place is correct for you, cause the price is pretty cheap.
(51) Out of all the many temples in Bali this is my favourite!You can't actually visit the temple itself but the architecture and setting in the water and against the hill is breathtaking!
(52) not far from cuta its a temple as many others all around the island should be there at the writetime to celebrate any ceremony.recomanded for surfers nice spot
(53) Not a bad venue.. but go either, very early .. to avoid all the school buses or very late...to catch sunset.. the temple faces due west.. so with a bit of awkward twisting.. you should be able to get the ideal selfie for social media. \nthat being said.. \nas far as all the other temples go in Bali.. this temple made the hit list because of the position on a cliff top.. the temple site itself is closed for tourists, as it is an active place of worship... and it misses a great deal of art and design that makes Bali so unique.. \nagain note... \nits far away from everything else.. I mean REALLY FAR .. and with traffic in Bali what was meant to be a quick 30 minute drive turned into a journey into the mountains... this is one place you don't want to hike / bike or bus too.. grab a driver for the day and make you way.. there are lots of hills.. lots of traffic.. zero too no traffic rules or enforcement.. and pretty much everyone drives per their own impression of what the rule of law might be.\nBack to the temple.. \nDress code.. modest... your entrance fee will also include a sarong that will need to be returned after the visit. \nfrom the entrance gate it's an easy down hill walk.. but coming back.. if you are not active.. pace yourself.. the incline can take the wind out of you.
(54) Wow what a beautiful peaceful lace.\nJust gorgeous and relaxing.\nVery religious place for Balinese.\nLoved it here.
(55) Visited this place as a day trip from Sanur. We hired a vehicle from the hotel and went there. The temple is situated at the sea. We checked the time and just reached at the time of low tide. Tourist not allowed inside the temple, one can go and see it from outside. Locals will offer to allow entry to go up against a tip. It's not worth as one can climb may be 4 or 5 steps only. View is really beautiful and one should not miss it if in Bali irrespective of religious belief.
(56) 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.
(57) You can take very nice pictures at this temple. \nThe lake with a fishermen as background for the pagoda's . The local pilgrims, many small ornamental details.
(58) Beautiful setting, with some spots that are peaceful even when there are a lot of visitors. Nice photo opportunities. There is a park just right beside the temple and it was nice and peaceful to enjoy the afternoon
(59) Of all those temples I have visited in Bali, this one is the best (in terms of surroundings, \architecture\", view, geography, ..). How awesome isn't it to have a temple on an \"island\" (depending on the season) and be surrounded by the ocean?! Also, you can experience a beautiful sunset. The priest that had the temple built there, was a genius. There are nearby restaurants that provide meals and drinks while relaxing with a view at the ocean. As this is a popular tourist attraction, it can be very crowded though"
(60) This is a beautiful temple to look at from afar. You can't actually go to them temple, but you can see take some great photos of it. It's nice and cool with the ocean breeze being that it's right on the water. There are lots of shops and restaurants nearby as well.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) Wonderful views of the ocean as the ululate temple is seated right on the edge of the cliffs. Would definitely recommend going to this location with a tour guide to have them explain the cultural significance of the temple to the locals. If not, soak in the beautiful cliffside views and the roaring ocean. Many beautiful photo opportunities for those who have the eye.
(2) I went here with my niece and Balinese nephew-to-be in September 2014. We drove there by hire-car. The trail leads you downhill through the jungle forest right through the numerous groups of monkeys. It was very hot and humid and tough going on the climb back up, so not recommend for those who have trouble walking uphill in the heat. Beware of carrying drinks or food as the monies are very forward - I had my bottled water nicked by a cheeky one ! The site is nicely laid out in a forested valley criss crossed by carved bridges and at the bottom is a Temple with stone statuary and a Koi carp pond. A ceremony was going on at the Temple whilst we were there. Interesting place to spend a few hours, preferably first thing in the morning, followed by a good Balinese lunch at one of the many local eateries.
(3) We were going to go here first thing in the morning but our driver recommended we go here on the way home for sunset. \nIt was a very popular tourist attraction and it was very busy, lots of market stalls if you want to shop. \nIt was low tide so you could go across to the temple but the line was huge. Also when you took photos of the temple it was just full of people. \nI would have preferred going at high tide so you could get nice photos. \nBut otherwise it's a nice spot
(4) This is one of the beautiful temple to visit in Bali. The scenery is awesome. It is located partly on the lake. One of the temple is on the lake and its not accessible. Overall, its a fantastic place. If its raining, you cant rent umbrellas (its cheap). Don't miss out visiting this place.
(5) This floating temple from the XVII century has its constructions in the lake, which makes it different from the other temples. Even in a rainy day, its worth a visit.
(6) This temple is very beautiful. There is a holy snake, you can touch it if you made a donation. The tour guide told us that the snake will bite you if you will have bad luck. No worry, it is not a poisonous snake. It will be nice if come during low tide. The entrance fee is just too expensive, i.e. IDR 60 000.
(7) I wasn't planning to visit here, but my driver suggested we see it on the way. It is not a temple, it is a water palace, and it's very beautiful. I got there late, so it was almost empty, which was nice. My driver said it is usually full of people. It is very unique place. Used to be the place for the royal family, and only after, it became open for public. I did not use the facilities and just walked around. Impressive little place.
(8) This temple was the end of a full day tour for us with Bali Traditional Tours. I've been to Bali 8+ times and had never been. It's a definite must see for sunset. You can't really go into the temple but the views are stunning. Gorgeous photos! And yes, it is a tourist trap. That goes with the territory.
(9) Bali is home to temples...and some of them are worth a visit . Tanah lot temple is a must visit... also known as sea temple for it is in the sea.... I would not say middle of the sea but yes in the sea. U have to cross the waves to get across.... quite a different experience... if ucan plan ur visit there at sunset , great ... otherwise also it is very beautiful.... to get an entry into the place where there are deity statues, one has to be in a Balinese custom dress.... but no one denies to have a look from outside.there are many small shops selling souvenirs on the way walking towards the temple... it is fun.....should enjoy the local fruits....esp mangosteen.\nInsta@travel.sojourn
(10) A beautiful location for a temple even if it is a bit of a drive. The temple is much smaller than would be expected after seeing the pictures. Unfortunately we went on a foggy day so we didnt get as great a view as we would have wanted, but it was nice nonetheless. We werent allowed into certain areas because it was for the locals to pray. I can respect that motive, but did find it annoying we paid to go in to only see a bit. Being religious ourselves, we would have loved to experience the rituals involved but as tourists we werent allowed in.
(11) Temple complex is huge. Includes shops and restaurants. The temples are located at the sea shore. Beautiful. If going to furthest temple, watch the water tide. During high tide you can not cross from furthest temple to mainland. Wander easily and admire the calmness and great craftsmanship. Perhaps a little meditation. So glad we visited here. Many photo opportunities.
(12) The Hindu temple sitting on top of a rock that has the sea crashing around it is interesting and very picturesque. About a third of the rock is artificial though, as it had to be reconstructed due to the erosion (the rock was crumbling). \nReaching the temple area, requires a walk on a street past tacky tourist and souvenir shops and due to the hype that is created by the tourism industry about how great the sunset is, (if you're lucky), the time prior to the sun setting each day, is busier than Queen Street on a Friday night and of course it would appear that many leave their litter behind them, when, once the sun goes down, they clamber up off the beach.\nIt's worth seeing, of course, and is one of the most important sea temples for the Balinese people.
(13) Dont want to leave the ocean.....the beach on the property of The Mulia resort has view of balinese temple up high
(14) Wonderful place\nGreat Sunset if you are lucky\nWe went when the tide was out\nSome say it's better when the Tigris in and the temple is cut off from the main land.\nHowever, with the tide out you gets chance to get close and sunset shots from the water level
(15) A Beautiful Hindu Temple. The temple is in the middle of the sea. Beautiful photo spot around the area. You will not disappointed.
(16) My third visit to this amazing Temple\nThe gardens, the water features, the surrounds are breathtaking.\nAs people walk through the main gates you hear the oooohs and ahhhhs. Family friendly, infact there were children playing and swimming in one of the pools.\nThe gardens are just so unique. So clean and tidy, in fact immaculate.\nI could have stayed and sat there for an hour or two just taking in the amazing feelings of peace and tranquility. Definitely a must see when in Bali
(17) i saw a lot of temples in Bali, but this I consider to be an amazing experience. The temple, the water, the panoramic view are simply beautiful.
(18) One of the best places for sunset. A walk through the shopping area \nand if your lucky with the tide you can easily walk the few yards over to the temple itself. Or walk along sunset terrace where you will find a few bars overlooking the temple where you can sit and watch the sun set with a cool drink of your choice. It's busy and bustling always.
(19) Beautiful Temple but it was very crowded. We visited in the afternoon and the place was very busy. I was still able to get some great photos but the distance travelled to visit this temple made my travel companions very tired and less tolerant of the crowds. \n\nThis was on my list of places to visit when in Bali so the trip was worth while for me but my travel companions did not enjoy this temple as much as I did.\n\nThe strange cartoon characters like Sponge Bob seemed out of place and almost inappropriate in a temple setting. \n\nThe architecture is beautiful. If visiting from afar I would plan to visit other local attractions to make the most of the day.
(20) One of the famous temple attractions in bali. Its built on a rock away from shore so its special and instagrammable. Apparently there are poisonous water snakes but guides dont seem to tell you that
(21) Well worth the trip up the mountains to this cool and peaceful temple. The gardens are beautiful and the lake side setting are unique.
(22) The 'lake temple' is great to photograph in the morning, with the mountains providing a nice blueish background. It is a typical Balinese temple, with the typical design. But the location - in the Beratan lake - gives it a unique appearance. We visited the place in the morning, before the place became crowded.
(23) A beautiful temple to visit..You will be swarmed with the number of tourists present there..one cannot go inside the temple but only see from outside..You can click photos and get the same clicked with frames at nominal price of approx 2 $..lots of shops selling local dresses specially sarongs..do eat the corns outside..
(24) If you want to reach the temple, make sure you arrived there around 3-4 p.m\nI was arrived earlier and it still surrounded by high tide.
(25) This temple is definitely worth a stop. I won't say that it's the most impressive that you can see but it's a very beautiful site and really well kept. With some luck you'll be able to witness a ceremony (as we did). Try to get a guide that is able to explain you all the facets and important information.
(26) The temple is around a lake below a mountain , what more can it add to the beauty if you want to take pictures , but is it worth 45 min drive no , its it worth 50000 INR , the answer is no again , but if Yu like to have a picture perfect photograph then yes it will add to one of the memories , kids have a park to play around , take a temple tour with the driver you can negotiate for the cost , m sharing one the drivers I went with . Was very polite and courteous and was very very cheap compared to uber or other local taxis
(27) During our week in Bali, I read about just how crowded so many of these temples have become in recent years. So I decided to only visit one temple during our stay and this is the one I chose. I don't regret it. It really is a pretty place. But it is just massively overcrowded and a bit expensive (50k IDR/person) for such a small place. They even charge a fee to use the bathroom. This place has the potential to be a really beautiful place to just sit and observe, but it's all ruined by the massive hoards of people clamoring to get the perfect instagram selfie. There's nothing relaxing about getting pushed around like you're at a rock concert.
(28) Go just for the views. The temple doesn't have a lot to see but the shear cliffs and the beautiful blue sea below is incredible. A bit of a drive if you are not staying south. But it's well worth it.
(29) Beautiful water temple, highly recommended to visit, and very romantic if you're with your sweetheart. Imagine the stones in the water as your walk of life, and see what you can image about your joined future!
(30) The temple is stunning, the coastline is the same, sheer cliffs and massive surf make for an awsome backdrop. There is a large market for clothes, souveneirs ect and various places to eat. We hired a scooter and rode here and it took ages, so I'd hate to see how long it is in a car. Costs 30,000 rupiah per person entry
(31) We arrived there around afternoon ish. Took a lot of pictures and walked around. Then we went back to the main temple and saw locals crossing the water to get to the temple in the middle. So we got on to it too! Then we did the whole \cleansing\" ritual before you ascend to the steps."
(32) The temple itself isn't actually that nice and it's a long drive there with lots of traffic, so I'd only suggest going if you're sure you'll get a sunset. Take a motorbike if you can as the larger vehicles just get stuck in a queue.\nAlso watch out for the monkeys - they're pretty aggressive and will steal anything they can take off you.
(33) A must see place when u go to Bali. Beautiful sunset & gorgeous temple. Love the small shops along the way where many souvenirs could be purchased at a low price.
(34) It is nice and worth to be there, but make sure you can catch the sunset view. \The temple is not all that\"..."
(35) Temple building were ok, typical of Asia architecture, interesting, however the views from above of the cliffs and the water down below were stunning, magical !
(36) We visited this place in July and were disappointed. There is not much of a temple to begin with, people go there to watch the sunset. The problem is that there are literally thousands of tourists during high season. The traffic is as bad as on 5th Avenue or worse - it took us hours to get there and back, even though our local driver used a back road to beat the worst traffic. If you want to see the views from the cliff (the temple alone is not worth a visit) go during the day and watch the sunset elsewhere.
(37) The vertical mountain drops make it a stunning sight. The temple itself is in ruins and barricaded but complex and the views make it a must visit. Although we couldnt see the sunset i can only imagine the beauty. \nHowever there are hoardes of people. so if you are not the one for rush go during the day/afternoon the rush will be less than the sunset times.
(38) it is recommended to be there in the morning/noontime. you can go up to the temple when the tide is low. a lot of tourist bus in the afternoon. made more fun together with our Guide Nyoman. a lot of things to buy,
(39) I almost didn't go but I'm SO GLAD I did. It was nothing like whatever temple you've seen, even in Bali. It really was worth going there. Every single piece of architecture is intricate and the view really takes your breath away. I loved it so much.
(40) The view was awesome, although there was a few Balinesian photographers around to take picture, they do not expect any amount from the tourists. They took awesome picture of me with the temple. Many tourists have eagerly asked them to take pictures of theirs, however a little token would be much appreciated. The \professional pictures\" cost about 100,000 rupiah. Hot and humid, advisable to go during sunset moments......."
(41) it really is a must see especially at sunset. there are some gorgeous views and photo opportunities and you can avail of a blessing at the base of the temple. it really is spectacular a must see
(42) Upon arrival, you pay about .50 to enter. It is worth it. A black temple was fascinating to see. There are loungers and umbrella,too. Go early because the parking lot can become full quickly, if you are driving.
(43) It is a beautiful temple. I recommend you wear sandals because there is a place you have to walk in the water if you want to reach the spot. We bought sarong but apparently you can also visit without. The view is beautiful we took lots of pictures
(44) Beautiful as always, we love visiting this temple especially for sunset. What a wonderful time we had.
(45) Just absolutely beautiful creatures and popular icon temples in Bali. Many pictures that you should take at this place. They have green garden, some dears and playground too. Love this place so much!
(46) A special place to see. A super view of the temple and a nice atmosphere. The memory of this place will always be in our minds.
(47) Temple set on lake gives a beautiful and breathtaking experience. \nBeautiful surroundings and a must visit.
(48) One of the most beautiful Temples in Bali.\nHeard a lot about it. Saw hundreds of photos and then it's there on 50000note. Was really looking forward to seeing this place.\nSculptures of animals are really out of character for this place wish the could have decorated with something more traditional.\nTips to fellow travellers: \nIt's far from traditional touristy areas of South bali/Ubud. So prepare yourself for a long and winding road.\nTry to visit late in the day around 5ish to avoid the crowds.
(49) We hired a car and driver for the four hour trip from Ubud to Permuteran. This beautiful lake and shrine was recommended as a mid way stop. It was lovelier than we could have imagined. A great place to stretch our legs, enjoy the views, and experience a serene environment. It is well worth the drive!
(50) As previously stated, temple is nothing much. The views are stunning though. Steps up are hard going for elderly!\n\nAt entrance ticket office, I wasn't sure how much entry fee was. I gave 100,000 note. He just waited, so I gave over another note. He gave me 2 tickets, I just presumed it was 100,000 each. Wasn't until husband said it was 30,000 each, I realised I was conned. He didn't offer any change! Obviously a big earner from them tourists!\nShame
(51) On the way to this temple you will love scenery and adjacent hill side view \nBeautiful view you will enjoy nature please visit during afternoon so that you will enjoy sunset. Dont forget to take ride on boat
(52) Enjoyed the view from the cliff much more than the temple. Something still worth seeing for those who have had temple overload like me. Breathtaking and cool to spend maybe less than hour here!
(53) Nothing special as one can complete the park in 20 minutes. Although the place is decently maintained, the only religious highlight is the courtyard and the temple tower on the lake. Early mornings will be a good time to get a good photo of the temple.\n\nRandom animal statues, a normal looking garden, and a rundown children's playground filled up the rest of the area which has nothing to do with the temple. At Rp 50,000 just to enter, go only if you really must get a picture.
(54) This place is full of turists. We were told to not go there at the sunset hours to avoid turists so we went there around 11am but there were still sooo crowded. I didn't think the place was very interesting actually and you can't go upto/into the temple. If you give a small donation you can wash yourself the holy water and get a blessing which allows you to walk 10 meters up the stairs to the temple but you can't really se more. If you visit at low tide you can't get as close to the tempel but that might mean you can't get photos without other people on.
(55) we are in Ubud left 8:00am to get to the temple and avoid traffic. Guess who there's always traffic but not nearly last many people as would be there for the sunset views. Our views were perfect breathtaking, and with a private driver Ketut from Safe Bali Drivers we had a personal tour. Even the buddha monks wanted a picture with us…whoa that was cool. This is a place to see take as much time as you like to take in the nature wonders of a temple built in early 1600.
(56) This place is famous for its sunsets and the view is really nice. The temple itself is small and nothing much to talk about. There is a small walk from parking lot to the temple and the path is filled with monkeys. Don't take any food items with you and cameras should be tied to you. The place is nice and gives a clear view of sunset during clear sky's.
(57) Temple was nice (no magnificent), lots of shops selling drinks, ice cream and souvenirs. We went around 530pm to watch the sunset @ 630. A lot of people.
(58) Worth a trip, however, i strongly suggest to visit in the morning like i did. I heard that by noon, this place can be very busy. \nIt's very beautiful area with beautiful temple. The view looks like what you see in the postcard. It's definitely a must
(59) This was the last stop on our all day tour. Extraordinary to see the temples against the backdrop of the ocean. \nWe looked at all three temple sites - and some surfers! Very popular spot but we managed to find a decent rock on the beach to sit on and watch the sun go down.
(60) This place was amazing. It takes aoprox. 5 hours to go up and down, there are stairs, wear good shoes and also jacket, on thetop is very cold. Temples are breathtaking. You have to wear sarong. We had a bit foggy weather but it only made the place more interesting. There are monkeys on the top part and they steal things, so watch out.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) Looking for best spot sunset?this place must be visit. And they have temple in the beach, but very busy with local and bule person.
(2) This is a nice temple with beautiful grounds. Worth a look. I would recommend a private driver though as you can often fit more in for much less. Entry to the grounds is around $3AUD per person and with tours you can pay upward of $80 - $90 USD.\n\nThe markets are quite pricey for Bali. I recommend Kuta for any shopping.
(3) The teple has devide to two parts and one part in on the clif and the other part is in down hill.The down hill teple has a walking path between the sea wave and if the tide is rough you cannot walk the path.all like other temples you are not allowed to visit inside the temple unless you wear balinise cloths.
(4) Went on a day trip with our driver Komang. Pretty place, nice and cool. Loved the temple and surrounding areas. Good to sit and just relax. And took some great photos. Can ride in a boat around the lake.
(5) Nice place to enjoy holiday\nA large playground in temple area where we can sit and relax on grass while viewing around the temple.\nRecommended for family holiday just need to bring a bucket of foods and matras to sit together on ground
(6) Unfortunately the water level of Lake Beratan was right down when we visited so we didn't get to see the temples \floating\". Even so, this is a very beautiful area and is well kept with beautiful gardens. The location of the temple at a lake surrounded by misty mountains makes it a serene and peaceful place to visit. There are many great photo opportunities here as it is very scenic. You can take a boat ride around the lake or do some shopping as well. It can be very crowded I believe, but this was not the case on the day we visited."
(7) beautiful setting, beautiful temple, nice gardens, worth a visit if you are in the area. it was slightly crowded when we were there but the area is big enough so you can all spread out
(8) This was my favorite temple that we visited in Bali. It is right in the water and it is very pretty. When we arrived home we watched a documentary on the \Holy Snakes\" which live right at the temple and are considered one of the deadliest snakes in Asia because of where they reside. They are typically harmless and will stay out of the way however they are there so just be aware!"
(9) Fantastic views, beautiful temples. Just be aware, make the right donation and get the guys to do your photos for you. These guys take the photos all day, every day and ours came out perfect as I made a nice contribution, just a few GBP. A few cheapskates in front of us didn't make a donation, took there own photos, and they were very amateur looking, ours will be being made into a massive print to be proudly displayed in our home.
(10) The temple itself is very basic and there are many tourists arriving by the bus loads. The views from the cliffs are definitely the highlight. Entrance without a guide is only 30,000.00 Rp
(11) Pay the admission and parking fee and then have to pay again to use the toilet! Walk ten minutes through the vendors and finally see the temple...underwhelming to say the least.
(12) The temple is on a cliff with both sides pathways having fantastic views of the ocean and the temple. One can wait for sunset or go to the Jimbaran beach to view that. Worth visiting in the evening though crowds throng the place. The weather was pretty hot and humid and the sun too intense to really enjoy the walk.
(13) Not worth visiting, horrible way to the temple you can may photoshopp it.\nPlace is crowded not too much to see.
(14) This temple located in Bedugul area about 1.5 hrs drive from Denpasar. The entrance fee is $2 per person. It is very clean environment with beautiful lake, temple, and parks. We didnt expect to find a lake scenery with cool temperature as the location is high in the hill. There are some restaurants in the area but we didnt try. You also can hire a boat to go around the lake.
(15) Great views of the cliffs and waves but you cant get very close to the actual temple. Its also one of the busier sites - lots of tourists about. We preferred the quieter temples that we visited but still glad we made a stop here.
(16) Cool weather here and peaceful lake. Just a nice place to take walks and sit down for a bit to enjoy the cool climate.\n\nThere is a temple compound here. Might be better to engage a guide who can fill you in on the significance of the various temples.
(17) You need to wear a sarong to enter. There's beautiful sunset and surrounding places.. another place of interest.. I like..
(18) Awesome views. Massive place and gorgeous gardens.\n\nReally nice places on the cliff with views of the temple to grab a drink and watch. Super cheap and a highlight of Bali. \n\nI picked up some really nice cheap quality bracelets from a shore just outside Tanah Lot.\n\nHighly recommend.
(19) Beautiful temple on the lake at Beratan, worth the trip up the mountains or if passing through from South to North Bali.
(20) This is kind of a \must-do\" if you are in Bali, as this temple is featured on basically every advertisement for Bali tourism that exists. It rained while we were there, but it was okay. The only thing I would suggest would be to try to go during the week if you can. We went on a Saturday and it was crawling with tourists."
(21) By far one of the most popular temple sites in Bali for tourists. The landscape is most pleasing and soothing.\nAmple photo opportunities.\nThere are a couple of decent eateries in the temple complex.
(22) Great views. Sunset is beautiful and temple looks wonderful at that time. \nThe issue is the long drive with traffic and then when you reach the long walk... Still a must see.
(23) Very nice place with beautiful scenic view ... Relaxing and peaceful..One of the best temples of Bali
(24) What a rip off, the temple was closed h nice we werent allowed. We had to pay the fees but werent informed that we cant see the temple. Short stroll around the temple. The amazing sea views were the only plus point.
(25) Stunning temple. A must visit if you're spending 3 or more days in Bali. Nice and quiet if you visit before lunch time too!
(26) Was wanting to come here many times when in BALI... So i finally got to recently. I did enjoy going and glad I did but all the hype didn't live up to me.. Beautiful place but, other temples to see
(27) We drove over an hour to the temple and were disappointed that we couldnt even go into the temple! \n\nThe views are very nice but are they spectacular and one of a kind, no. Kind of a waste of time and money. \n\nBali has so much to offer and this is one of the attractions I would consider skipping.
(28) Definitely worth taking the time to visit this Temple. It's pretty amazing, especially if you strike a day where the waves are crashing hard against the rock itself. Make sure you take the time to look around the area, walk to the golf course and take the path to the point where you can look back on the temple. Very beautiful scenery.
(29) A MUST SEE for anyone visiting Bali.Probably the major temple of Bali.Need to walk and climb a lot though ! Also ,as the place is open and wooded,one should be careful of monkeys snatching away goggles and caps etc.Uncovered legs require a sarong but full pant is ok.Three or four layers of temples.The key thing is the sunset-It is out of this world !!! the red sun setting(at this time of the year at least) tends to be there for a very long time and reflects magnificently against the jutting peninsula ,on which the temple is situated
(30) the balianese culture is detailed and preserved in this temple.
(31) has an entry fee - will provide a wrap around cover to be worn inside temple premise - very very crowded - a lot of monekys
(32) It's a very long ride to see this temple. Not all the areas are accessible (for worship) only. The entrance fee is very affordable, and the scenic view of the cliff and the shore is simply majestic. There are souvenir shops outside, in the parking area, and some food shops too. Definitely worth visiting when in the area.
(33) We visited just before the sunset to enjoy the views. During this time it would be low tide and that allows you to access to surrounds of the temple and also setting up yourself to take some great sunset photos. There will be large crowds but at distance you may also find a quiet place for yourself. Don't forget that this is a large site and there are two main temples to visit so plan accordingly just before the sunsets and it gets dark.
(34) What a great temple! The views are fabulous and when the water levels are a bit low you can walk to the temple (with assistance). Tons of tourist shopping opportunities and little places to enjoy a drink and some hot fries or a cup of corn.
(35) This temple is very famous, lots of tourists and locals visit this temple to see the sunset. You can walk to the temple during low tide, around sunset time. During high tide it is spectacular to see the waves hitting the temple. Although it is very busy here and there are (to) many shops with souvenirs this is still a beautifull place to visit.
(36) This place is a must visit in Bali .. views are awesome and good for photographer to click some shot nearby.\nAfter going through details of some routes decided for this one. In Bali there are fixed routes in which taxi will take you to show the sightseeing. either you can choose this route to cover Bartan temple, Jatiluwih rice terrace, taman ayun and Tanahlot or you can visit ubud and mount batur.Our Driver cum guide helped lot during trip took our photos and didn't bother about time and shown every place without hurry ... his number is 081237775730.\nSharing some shots taken.
(37) Yes, the temple is crowded, as is the performance. For a reason: both are great. The view of the crashing ocean all around is powerful. I did not even see the monkeys that everyone here complains about. The performance, done to the voices of 70 men, is amazing. The characters convey a traditional Hindu story, but they occasionally break into the audience for delightful play. Traffic was horrible getting to and from, but all in all, very much worth it.
(38) The trip to get here was long, but when we finally went through the entrance...it was so nice in side! It is not the typical temple in Bali, it is really a garden with lots of nice fountains. It has also a pool for those that would like to swim and refresh (to use the pool, you need to pay a fee). It is a popular place for locals. You can also go around the steps by the water...it is fun! Take your time to walk around and relax, my kids loved this place.
(39) This Temple built on a rock is a popular tourist and locals place to visit. Inaccessible during high tide, the view from both upper and lower levels from mainland is spectacular. I did not get to go inside the temple, as it may not be in use except for special occasions/ceremonies. The surrounding area is also very nice to explore and the natural rock bridge provides a nice view of the temple. Plenty of tourist shopping on path leading to the temple hence plenty of tourists (including myself). Very beautiful and romantic during sunset hours. Visited in 2007, 2008, 2012, 2013.
(40) This Temple has beautiful mountain scenery by the lake with fresh cold air. Clean area and lots of local people play and kids playing around. You can rent boat or just take selfie photos here.. lots of times being use as pre wedding photo.
(41) The scenary here is nice where you can see the sea and the sun set at the cliff. However, there is nothing much to see other than this. If you had been to the Angel's billabong at Nusa Penida, you can probably give this a skip as the view there is much nicer and breathtaking. \n\nThe entrance ticket to the temple is IDR50,000 per pax. It is a standard entrance ticket price but I still think is a bit expensive.
(42) Very interesting place, walk through all the shops which work down to the entrance steps to the sea front and the temple in the sea. Unfortunately we timed it wrong and couldn't get across as the tide was in. Also very busy when we arrived.
(43) With the visit of this temple we were slightly disappointed as thanks to all the adverts our expectations were much higher. However it is one of the \must see\" visits in Bali."
(44) I took a very long drive in a hired car to see this temple, but that may a given considering the traffic in Bali. You cant go inside the actual temple, but its a huge space and the whole area is beautiful. Even despite the hundreds of people, theres something quite magical about the place, even if you may run into some selfie sticks while wondering around. Be careful of the slippery rocks!
(45) I am sure it would be very beautiful, without the crowd, without the local priests trying to sell you trinkets, without the barriers that stop you from getting to the small temple on top o the rock but the realities are that we have all the above and a little imagination is needed to block them out of your mind to enjoy the site. It is still worth a trip to be there.
(46) its a nice temple but not really impressive, we had a perfect moment to visit the tempel it was a really nice sunny day and there was somthing specail that day iam not sure what but the whole town came to the tempel to have a pick nick and offer, it was beautiful to see.
(47) This is the iconic temple that is featured on the 50000 Rupiah note. The temple is very beautiful. The ride up to the temple is awesome. The vicinity of the temple is quite cold compared to the rest of Bali as the temple sits atop a mountain which is an extinct volcano. Drive to the temple on a bike to enjoy the transformation from the sunny Bali weather to a cold and cloudy weather. We enjoyed the journey very much!
(48) I'm not much of a temple person which is why i probably rated it as average, however I cant deny that it is the prime location to watch a beautiful bali sunset over the horizon.
(49) A MUST visit temple. Huge with an amazing view to the river. A lot of photogenic scene. You can ride a speed boat as well for extra fun.
(50) A beautiful temple on rocks approximately 60 mtrs from shore. Where the monks go to worship. A lovely site v
(51) This Hindu temple set on Lake Beratan is a famous Instagram photo op and is featured on the 50,000 Rupiah note. The scenery is gorgeous and the grounds are well-maintained with tropical flowers and plants. The reason for only 4 stars is due to the commercialism like \tacky\" Disneyland-type colorful cement animals. It is a popular place and crowded. We saw a lot of eating areas and places to rest. Our tour guide said we could ride the boats in the lake for an additional fee. I believe the entrance fee to the temple was about 50,000 rupiah and they do take credit cards."
(52) Quieter and more comfortable lower temperatures and humidity make this a more enjoyable visit than some of the coastal temples
(53) The temple and surrounding lake is a very beautiful area to visit. However as with nice places it gets crowded at times.
(54) Loved it here!! The temple is so serene and beautiful. Landscaping is stunning and the statues are really cool. I enjoyed a refreshing swim in the spring fed pool.
(55) Magnificent trio of temples built on rocks by the sea. Went there at morning time which was less crowded. Nice sunset view but there would be many tourists.
(56) It's a Beautiful temple, we visited it in evening. The best sunset I have ever seen. View is serene. Lots of shops are there to buy souvenirs. \nThe down side, its way too crowded and long drive. But if you love nature you wont mind that. Great place to visit.
(57) very great place, cool atmosphere.. great place to take pictures with family and friends.. fyi this temple is the temple in the 50 000 Rupiah bank note
(58) Located at the cliff. Beautiful picture perfect location. Perhaps the most visited sacred place in Bali. \nCheck tide timing before going as the place is inaccessible during high tide.\nDont forgot to click sunset pics.
(59) Was wonderful to see this interesting piece of coastline under a mass of worshippers with the buzz of prayers and chants ringing around the area...\nThe drama of a heavy downpour after sunset added to the atmosphere that became quite spiritual and cleansing (literally!).\nA great place to visit in any weather, but preferably on a low tide if you can time it that way.
(60) a bit overhyped. a small temple on the water. ideal for the selfie loving people but not much else. pushy vendors. and to much people.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) I was there on a beautiful sun shiny day. The view of the temple setting was fantastic. It was a nice climb up the steps to the outside of the temple. You are not allowed in the temple. It is worth your time if you are already in the area.
(2) Went to one of the main tourist attractions and a sacred temple in bali. Definitely a must if you go to bali and love their heritage and respect their culture. Don't forget to take tonnes of pics as there were quite a few people who went nuts. A place to remember for many years to come. Thank you Bali for the wonderful experience!
(3) The temple itself is beautiful and a good place to relax. The best way to reach is via lake by canoe.
(4) The pictures that we have from this Temple are in our top 10 of our Trips of a Lifetime. You must see it.
(5) i've been here so many times. usually i went to this temple in afternoon but last time i wanna chase the sunset here. and i got some nice picture. and you can meet some friends (monkeys) here, lil bit naughty but so nice for playing with them.
(6) The place was nice but the place is filled with too much tourists compared to the other smaller temples I had visited.
(7) 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.
(8) This was a very special experience for me. I am a Hindu and this temple felt like home to me. I loved the fact that I could go to the temple and drink the holy water. The fact that I was blessed by the priests with a flower in my hair and rice on my forehead, made it even more special. All that is required is a small donation at the temple.The energy in the temple is very calming. I did a bit of shopping in the market just outside the temple as well, which was great. Everyone wants to buy a little curio that says \I was in Tunah Lot\""
(9) Definitely the most amazing sunset I have seen in recent years. The temple is on top of a cliff, overlooking the sea.\n\nDefinitely a must-see for its sunset.
(10) This is kind of a \must-do\" if you are in Bali, as this temple is featured on basically every advertisement for Bali tourism that exists. It rained while we were there, but it was okay. The only thing I would suggest would be to try to go during the week if you can. We went on a Saturday and it was crawling with tourists."
(11) This is a very beautiful place to visit and relaxing at large park. Temple, lake mountain and the sky on the background, it's truly a good place to just enjoy Bali and the nature. walking, take pictures, enjoy the grass and flowers and trees.
(12) Cost to enter the temple is 50,000 IDR (about 4 USD) . The temple sits on the shore of lake Bratan and surrounded by mountains, it is a beautiful site to visit and take awesome pictures! I wouldnt plan more than 1hr to visit the temple. Location itself is nice, scenery is amazing. There are local merchants at the entrance of the site where you can buy food & souvenirs. Definitely worth visiting, the atmosphere is serene albeit the abundance of mainlanders and selfie sticks. I wouldnt make this a day trip, make sure you line up other sites/visits to make it a full day.
(13) Went on a weekend evening. Not that much crowded. Did lot of walking to capture pics. Went down near the shore, then again came up to the shrine.. Watched the beautiful sunset. What a view it was!!!! It just stays in our memory. \nSo many stalls outside. Nothing worth buying. \n Go only for enjoying nature..
(14) Very scenic temple surrounded by water. I could not stay back till sunset since I had reached during the midday. The place is worth visit and one could typically spent 1 hour here.
(15) Lovely spot by the sea, try and go when the tide is out so you can walk across to the rock the temple is on.\nThere are lots of market stalls at this sight on the way to the temple, prices are not very negotiable though.\nFor a small donation you can drink some spring water and get a blessing from the monks at the temple base and then you are allowed to walk up the steps to the temple itself.
(16) beautifully serene almost magical atmosphere, a wonder in itself and must be seen, all stone temple.
(17) beautiful. lots of tourists though - it was like Chinese invasion when we arrived there haha. Too bad it was in the morning too as it was high tide so we couldnt go to the main temple, but still really beautiful
(18) This is a great temple located on the far north side of Bali that can be a little challenging to get to due to the quality of the roads. But upon arrival you will forget the challenges of getting there and simply appreciate the beauty of this temple and the serenity/tranquility it provides you with. Also has beautiful gardens surrounding the complex.
(19) Sea side temple and broken main land in hole and the sun set - worth a visit in bali. A top rated recommended place for bali tour
(20) Almost lost - this beautiful temple on the sea. I came here once 20 years ago. So different now with the crowds and endless markets but still beautiful. Felt a little saddened watching lovely Balinese Hindus giving their offerings and praying amongst countless noisy people who seem to forget what it's all about. If you can remain quiet and calm or go very early to discover the real beauty you will love it.
(21) One of the sunrise spot in Bali, popular among photographers. I loved it for the amazing sky, reflection of the temple on the lake and the morning mists.
(22) When I ride bike to the temple around the noon, weather is cloud. The temperature is much cooler than Denpasar. The lake is so beautiful. The temple looks surreal.
(23) Very beautiful temple, but a bit busy so try to go early in the morning. Its a perfect stop on the road from ubud / Padang bai to Amed
(24) Though heavyli touriszic, this place has some kind of charm to it. The temple is nice but it's surroundings made it work for me! Worth the entrance fee.
(25) I love the setting of this temple on the lake. Even with all the tourists it is somehow serene and stunning
(26) I saw this temple on Pinterest. I was so so so excited to go because I do love the temples in Bali. I was so let down by this temple. It was full of people whom were looking for instagram likes, truly. The photos where it appears there is water, those photos are a complete sham and fake. There isn't any water, just dead grass with cement. There are people taking your picture for a small fee, saying 'another pose' for the next 2 minutes. There were people who were taking forever to get their perfect instagram worthy picture. Not to mention the amount of garbage surround and inside the temple. I was so let down. I know it is a place you must visit if you are in the area, but don't expect to have a beautiful revelation. The mountain in the back is beautiful and that is it.
(27) The setting is just idyllic. The lake, the mountains surrounding it and the temple itself compose one of the best pictures I will remember from Bali. \n\nWe were lucky not to get there in peak hour (I'm guessing it would be chaotic) so we had the time to have a nice walk around the premises. The temple is just beautiful with its natural surroundings making this one of the best temples I've visited in Bali. \n\nAs in other temples, you are not allowed to enter the temple itself, only being able to look at it from a distance. Nevertheless I still think it's worth the while. The peacefulness that exudes from this place is quite contagious and if you're lucky enough not to get cloudy weather you'll be greeted with one of the best landscapes in Bali too. It is quite an impressive setting for a temple. \n\nMake sure you don't loose this.
(28) 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
(29) We loved this temple and the surroundings were filled with different kind of flowers blooming to perfection.
(30) This temple is set on a rocky outcrop on the coast so at first sight it is breathtaking. We didn't actually walk down to the temple due to time constraints, but it was beautiful to see from the clifftop. There are actually two temples to see from the clifftop vantage point. It was rather cloudy and a bit stormy when we were there, so we probably didn't see it in it's best light, but it was still worthwhile to see. There is a small market nearby selling trinkets and drinks etc.
(31) The place is amazing, the waves are great view of the temple in the middle of the sea is very beautiful, while waiting for the sunset. Bali is the best
(32) While the temple is great, the location for a sunset is better. High above the cliff sits this temple. More people than you'll know what to do with but get a place along the railing and enjoy one of the most beautiful sunsets around. Leave before the show is done to get back to your hotel quicker. Very hot and little shade. Worth it to see the sun set on this historic place.
(33) The only temple that require an entrance fee and well worth it. Lots of shops selling tourist merchandise. Time your visit to sunset and low tide. Very beautiful at sunset and can walk across to the main temple (in picture) at low tide and get blessed with holy water.
(34) Took my wife and kids (6 & 7 year olds) there. The temple is on an island and the view is awesome. Just make sure you go there when it is low tide. At high tide, they block access to the temple.
(35) Leading down to Temples very tourist based, lots of shops and stalls. The whole area is beautiful and very peaceful. Weather wasn't great and lot of people so we decided not to go into Main temple and cloud cover didn't help at sunset BUT we still had a wonderful time there. Just sitting in gardens taking in all the surroundings, tranquility and beautiful view is well worth the visit..
(36) Wish I could have raved about this temple, but I can't. Feels like a ploy to get tourists to pay to see a completely uninteresting temple, if not, how else could they get bus loads of people to the tip of Bali?
(37) Perhaps the most peacefull place in the world. There is here a special atmosphere and, if you are lucky, you'll visit this temple during a ceremony and...please respect and enjoy it!
(38) Totally commercialized place, with route to the temple going through a shopping arcade, one has to pay to enter the complex area, pay to drink the holy water, pay to touch the holy snake... however, worth a visit.
(39) We are coming here with our family las 3 days. Thks temple was verynice, clean and the staff was friendly, definitely we will back again.
(40) We really enjoyed our trip to the temple. The grounds of the temple are beautiful filled with greenery and flowers. I would definitely recommend this place to visit.
(41) We went during sunset . It was crowded. Its one of the best temple at Bali . Temple is right top of the small hill at the sea . Very beautiful to take photos . Really happy to visit this place . Tourists cannot enter the temple . We spend nearly two hours . There are lot of shops to buy and eat . Worth it
(42) Tenah lot temple is the most important and most famous temple of Bali..Its has best location. And best Sunset point too. The place has 3 diffrent view points for sunset pictures..in backdrop of temple.. Sea here is quite rough..making best situation for snaps..Its always crowded at the time of sunset..there is local shopping market also there..this is one of the most visited temple but no one is allowed inside the temple..Go there for best sunset photos..
(43) The view is spectacular, very different. It was an awesome place and wonderful sunset. Very unique seeing the temple in the middle of the water during high tide.
(44) it didn't feel like coming to a temple, at the front you'll find a series of art shops that sells stuffs you can find everywhere in Denpasar, a sure way to immerse yourself in Bali culture and the magnificence of this temple.\nthe temple itself is great, the entrance gate, the temple on top of the rock, the pathways, everything was greatly built. but you'll also meet the visitors in every little spot, besides the statue, under a tree, on the stairs, on top of a rock... everywhere!\ni just didn't feel the magic like any other temple we frequented, the experience was void of any gasp or wow or anything close. yes it is beautiful, but that's it..
(45) Its hard to write this as views are definitely amazing, you just can't get to the view because there are 200 people lined up to take pictures and you have to be on the line even just to enjoy the view without taking pictures. Its quite a long drive too! There are 7 temples in total (around 3-4 hours) if you want to visit all of them. There is a line on each of them. Basically have to dedicate a whole day there if you really want to do it.\nDo not recommend!
(46) You need to be prepared to climb the hill & steps before you can actually enjoyed the view....situated on top of the hill, this temple provide the best view of the ocean. A must visit place for Bali 1st timer. You need to rent a car to go there....there will be charges for entrance but it is worth it!
(47) Beautiful location and temple! We came here for sunrise and were the only tourists around. It was lovely to have it to ourselves and enjoy the beautiful, peaceful setting. The red sky reflecting in the water was stunning. When we drove past at the end of our day, the car park was full of minibuses, so definitely worth getting up early for a quiet visit!
(48) This is my favorite temple in Bali. Very peaceful, very quite and fantastic view. You have to vist Bratan Temple, I would definitely suggest!
(49) The temple gardens ( you only have access to that) are beautiful and clean, the view is amazing. We got there around 11 a.m. and it was very crowded with tourists.
(50) Sandwiched in between Gitgit waterfall and Jatiluwih rice fields, it already has the markings of a diverse day out, which is exactly what we did.\nThough we visited the temples firstly to avoid the crowds, which proved decisive as 10am was quiet enough to get great photos and the coaches hadn't arrived yet. To reach the complex you must encounter beautiful landscape grounds that have great examples of greenery, flowers, trees, footpaths and are all kept in pristine condition. But this can also be seen in greater detail when exiting the site.\nThe temples itself are remarkable and easily offer something truly different to other temples in Bali. Many individual water temples are on their own individual island with picturesque sightings including more horticultural settings, Balinese gods, with a mixture of colours that make the islands into magic. There is an opportunity to hire out a paddle boat to get a more personal experience with the grounds but we declined as other parts of Bali were calling. Weather wasn't the greatest when we visited, slight overcast made pics tricky but the experience is what counts...
(51) You can see the temple from the opposite beach or by going through the water to the temple (there is someone guiding you the way and the water wasnt too high but long pants etc arent recommended for this walk).\n\nA little crowded but nice view overall.
(52) it is a lovely spot for a temple and the lake is very pretty- unfortunately the rain spoilt it so was not at it's best
(53) The temple is high on the mountains, the lake beside it very nice. We took a speed-boat ride, it was raining in one part of the lake but it was sunny on the other side!\nLots of local people were smoking which was annoying.
(54) There is no doubt that the view is stunning and it is amazing to think how this was built hundreds of years ago. However we were disappointed in the whole experience which was so commercialised. We can understand the need to support the local economy but it needs to be kept outside the paying area to visit the temple and grounds. Such a shame.
(55) If you are used to seeing beautiful temples and want to go inside the temples, this place do not allow visitors to go inside the temples. Just take a picture from afar. Beautiful walk and scenery but nothing much to do. And the souvenir sellers outside sells much cheaper than in the main city like ubud. So if you are i terested to buy souvenirs like shirts then its better to buy it here. We actually regret not buying here.Some toilet here have fees so better to buy something in a restaurant like coconut and just use their toilet.
(56) A beautiful sea-rock temple which can be be accessed only during the low-tide. Do visit during sunset between 5 to 6pm. The view is amazing!
(57) Absolutely lovely day out. \nWe visited on our rented scooter, we came from a village we were staying at in Ubud, it took us around 2 hours & we stayed for the day & watched the sunset whilst having a drink in one of the cafes, which was beautiful. \nThe place is wonderfully scenic, such spectacular views of not just the temple, but of the coast as a whole. When we first arrived the tide was in, so we couldnt get down onto the beach, however once the tide went out just dipping your toes into the sea felt somewhat magical. The local shops and stalls were all great, none to pushy just a simple “no thank you” and you were left alone. Lots of places for food and drink and toilets available. \nDefinitely a high light of our trip to Bali. Would highly recommend anyone taking the journey to visit this magical place.
(58) It's a very nice place! Much different from the temples (which are nice as well!) You usually visit in this area. Green gardens, nice flowers, nice \walk on the water\". \nThere outside, go to Warung Rika for lunch: simple and tasty food. Very good sandwiches (if you are tired of rice and noodles) and very cheap."
(59) It's one of the nicest temples among the temples in Bali. Normally there will be overloaded tourists visiting there. Make sure you don't miss out if you've never been there before :)
(60) Beautiful park to walk around. there are some nice temples but one cannot access these. Check the map first chart out your path first before starting on the adventure.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) One of the 7 temples located on the Bali coast. Together they form a peculiar defensive wall against evil forces coming from the ocean. during arrival, the temple is completely separated from the shore, but at low tide, you can approach it on foot. We were in the sunset. it's best to sit in one of the pubs on the cliff and sip beer waiting for the spectacular sunset. on the way you pass several local souvenir stalls, it is worth finding a small café with civets. The owner takes care of it very much. cute animals. for the whole tour it is worth reserving 2 hours. May be a problem after sunset with leaving the parking.
(2) Pretty sure the title explains it all. \nI was taking the alternative road through mountain's road from Jatiluwih to reach this destination. It was pretty scary since the road is very steep and narrow, but at least we can avoid long road of traffic jam. The scenery of the temple is very pretty, crowded—but then again I was visiting during busy hours of holiday—but it was nice.
(3) We stopped on our way to Lovina. What a trek. The drive was high and winding roads. Its super busy - the wait to have a photo at the gate to heaven was 2 hrs. We opted to just take our own shots. Its very beautiful. Spectacular views and amazing sites driving up! The fee is a donation what ever you like! The locals are lovely 😊
(4) join us to enjoy a vacation on the island of Bali / (the island of a thousand temples). That way we will give your holiday atmosphere to be more memorable, by being guided by creative, professional, and friendly guides, with more importance for customers.
(5) I had to visit this temple as I had seen this on several brochures and travel guides on Bali. Was nice but was slightly crowded due to the weekend. Worth a visit.
(6) Spectacular temple \nLocation stunning \nA lovely place to walk around \nYou can enjoy a good feed too\nDefinitely worth a visit\nDon't visit on a weekend too many peeps
(7) Beautiful place with an amazing view. There is a lot of stairs so be prepared. Also watch out for the monkeys as they will steal your stuff. There isnt a whole lot of the actual temple to see, you any get into anything its mainly the view and a nice walk.
(8) The temple is in the ocean and the time we went there, there were waves surrounding the temple. view of the temple from a bit far is beautiful. crowed place.
(9) Dont expect much. You wont see much and you cant enter the temple but there is a long path along the cliffs with nice view. Then it is nice to wait for sunset here but like another but like other famous spots in Bali, this place is also really crowded. On the other hand there is lot of space for everybody. And beware of monkeys :)
(10) The entrance fee was idr 30k. We have to wear sarong (which is provided) which is Balinese tradition before entering temple.\n\nUnfortunately foreigners are not allowed inside the temple. We could only wander around the temple. \n\nThere was a beautiful cliff and ocean view. Very good spot for photography. \n\nLots monkeys wander around. Be careful of your belongings especially sunglasses.\n\nTips:\nGo there in thr evening to watch beautiful sunset and kecak dance.\nKecak dance fee is idr 100k.
(11) Such a beautiful place with amazing views and beautiful gardens.\nIf the tide is out, you can walk over to the temple (but you can't go in) and get blessed by the monks. If you do not want to be blessed, there really is no point in walking across the water.\nIt is not a difficult walk, but to get to the temple you do need to walk through shallow water using rocks as stepping stones, so some care is required.
(12) A breathtaking vista of a very ancient holy place. Best time to view is early morning. The sunset time is great but you will have to cope with the crowds.
(13) Theres a lot of temples to see here (cant remember exactly but between 4-8) but the best and most popular are the first 2. The gateway to heaven is massive and absolutely beautiful as if the view of Mount Agung.
(14) This was a whole lot better than I expected, considering that I wasn't much of a temple tourist. At any rate, we were here and the temples were situated on the rocky edge of the cliffs facing the ocean.\n\nThere were a surprising amount of people here visiting but as you walked you could see that one of the temple had been built onto an island that adjoins at low tide but separates at high tide.\n\nI shouldnt, but I did, laugh at the people trying to cross or standing far too close on the rocky surrounds to get the best photo. Lots of people got soaked or had their cameras have a wash in the ocean. This area faces the ocean so its very rough.\n\nThere are also some markets here that have some paintings and other items that tourists may be interested in. We just found a nearby cafe/bar and had a few beers and wines to enjoy whilst getting the best photos available without the crowd.\n\nWorthwhile.
(15) We knew this place through the TripAdvisor's recommendation. We arrived at this place during the sunrise, it was totally a beautiful place with a temple and some beautiful ponds. The weather is very moderate with beautiful sunrise and viewing the panorama of the slope, temple, and ponds. Actually it was nice to swim here but the water is too cold for us. After looking around we were sitting in the restaurant to have our breakfast and watching the scenery of the pond and the villages. Highly recommend this place to visit!
(16) This place was magical, a little crowed in some areas, but you can take a great picture at any point. The winding walk brings you to every vantage point of a spectacular sight if the temple. There is a resident snake that's called John is is magnificent and you can have your picture taken with him, he is so friendly. So if you want great memories pay this place a visit.
(17) This temple a place that you must visit if you travel to Bali. As it is high in the hills the temperature was lower than near the beach thus we could walk around without getting too hot.
(18) Simply a must. Postcard perfect even with a ton of people. Go here so serene and beautiful. I have seen temples around the world this is a definite stop.
(19) its a religious place which is nice for art and culture lovers... you can see the way balinese people worship god... but please wear clothes covering your legs or anyays these people will give you sarong before entering for which you will have to pay the rent i would suggest in bali if you have a long trip buy sarongs because they will come in handy one place or the other
(20) One falls short of words to describe this entire Temple complex. Marvellous, picturesque, scenic, etc, etc. It is BEST temple and popular for sunset. A must see in Bali.
(21) Temple featured on banknote. Very touristy and gets crowded. However it's a pleasant view on the lake and grounds are well kept
(22) Way too many tourists around making the photo opportunity difficult. The temple is very commercialized and not in line with the esthetic of the glorius temple. Can understand though how anazing this place would be in high tide when half the temple is covered in water. The overall venue is messy with dirt and water bottles. Its also very muddy and unkept.
(23) Been to this place and visited the temple which is actually a rock. You need to cross the water to access it and need to got blessed to enter (after a small donation)! \nThe view is nice but the place itself is not breathtaking...
(24) This temple is a must to see if you are on a road trip around Bali.\nUnfortunately I went there during a heavy rainy day but this did not stop me to see this beautiful place. I simply loved the enormous fish swimming in the big pond. The ticket costs really cheap so it is worth to visit
(25) The temple is almost nothing special compared to the big ones in Bali, but the view of the cliffs and the ocean from anywhere on the long footpath is breathtaking. It's hard to rank but probably this was the best place in my 10-day Bali trip. Can be too crowded, though.
(26) The Temples & scenery views are picturesque. A lot more commercial than it used to be with a fee to go in via markets nowadays & fees for some toilets. Nice morning trip.
(27) The temple is in the water and it is simply beautiful. It is very well maintained. Views are also stunning.
(28) We visited so many temples while in Bali but this was my very favorite! I actually sits in the water so you can only visit during low tide but stil have to wade through the water. Beautiful!
(29) Aside from the massive crowds - this place is amazing! So beautiful. We went around 4:00 and saw the sunset but a person could come early and spend all day here. There are restaurants, toilets (charge a fee), and large grassy sitting area. I just wish I would have come when the water was higher and watched low tide go out to reveal the area surrounding the temple. Watching the waves crashing against the rocks was so nice. There are lots of shops if you want to get your shopping in here. Again, amazing!
(30) 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
(31) You will never regret going to this cliff temple! The view there is simply amazing! Beautiful place to experience the sunset. Before entry, remember to keep ur loose item e.g sunglass, clips, cap and stuff, cause the monkeys around there will be very interested to get these. Other then that, everything else are great!
(32) This is a super Touristic location, with the usual side effects. Nice temple in the water. However: Loads of Tourists, loads of cheap shops (500+), and the temple is closed and cannot be entered, prayers only. Everyone who comes to Bali wans to see this location because of the good marketing...if you have not been here, you did not miss anything....
(33) We arrived with our motorbike, it´s easy to find and worth a trip. The complex is pretty big. We stayed for around 3 hours. Pretty much monkey´s around -> take care of your stuff. There are a lot of beautiful beaches near the temple it´s great to combine!!
(34) This is one of the best temples in Bali and a big tourist attraction.\nThe ocean views and the cliffs are spectacular.
(35) Again we were amazed by how much development had happened in the five years since we last visited,now there is a large market area you have to walk through to get down to the main temple.It does get very busy towards sunset.When we went this time it was low tide so you could go down onto the beach and onto the platform on the seaward side,there are some interesting rock shapes on the beach and in the cliffs created by sea erosion.A good place to watch the sunset is from the cliff top restaurants where for the price of a drink you can get a front row seat on a beautiful sunset overlooking the temple and beach.The restaurants are not overpriced as in many tourist hot spots,we sat there for over one hour for the price of a couple of beers and cokes.A sight not to be missed one of the highlights of Bali.
(36) This is definitely a must see, though, as beautiful as it is at sunset, I don't think I could ever cope with that again. The traffic in (and out) was horrific, we must have spent close to two hours trying to get down the last 3km stretch towards the temple an hour and a half before sunset. Finally made it in just before sunset (be prepared that you have to make your way through the markets and throbbing crowds from the parking lot to actually get to the temple), but had grown so impatient that I just wanted to get out before the sun actually set and we would have faced the same problem on the way out. Got some stunning pre-sunset photos and then legged it - still getting stuck in traffic on the way out. If you want to see it at sunset, go by scooter. Otherwise, if you're driving, go earlier in the day. Or be prepared to leave feeling frustrated - unless you're incredibly patient. But what a stunning sight either way. 4 stars purely because of the traffic problems.
(37) Last visited to this place the lake water level is lower than usual, so floating water temple become at grade temple during that time, but overall this place is very beautiful. Beside the temple, a lot of area surrounding can be point of attraction such as the garden, statue and balinese gate.\nAnother transcendence is journey to this place from Denpasar, we will see a lot of rice field area, private temple at Mengwi and also you will feel fresh air blowing your face if you open your window car during travel
(38) We visited here around lunch time. The Temple is quite impressive. We walked across at low tide - a small donation is required and a Hindu blessing given. You cannot actually walk on the steps of the temple so this is really a photo opportunity. All the same its pretty impressive. Plenty of stalls where the stall holders don't really hassle you. Worth the trip
(39) first of all i must to admit that this is a good temple. because the uniqueness of the temple that stand above rock in the middle of the ocean. the govt also mantained this place very well that even the disability can access this place easily. but because of that, the place is very crowded. \nthe entrance fee is quite cheap. expect 20k IDR for local person not to include the parking fee that depends on your ride.\nwhen the tide is low, you can get a blessing in the bottom of the temple and they will ask you to give some donation. bear in your mind that the blessing is not the way to gain the access to the temple. the blessing only allows you to step a little bit higher to the stair that lead to the temple. you cant even see the temple from the stair. you dont even enter the temple. but afterall donation is a donation. but dont expect that you can enter the temple. \n\nanyway there are a lot of shops and other temple other than the main temple. best time to visit this place is when the sun set.
(40) A very unique temple surrounded by water. Amazing to see such a large body of water surrounded by high mountains. A very easy and enjoyable journey out there as well. The day we visited was freezing for us as we just had light clothing on and it was a cold wind! Suggest you take a jacket it visiting at this time of the year.
(41) This a good opportunity to see a temple beside the sea. Great views but be aware that there are a lot of tourists taking pictures here and there. We went on a rainy day and enjoyed it.
(42) You can't enter the temple because it is separated from you by the sea.\nIt is a very large and beautiful complex with lots of things to see.\nI bought my souvenirs there because they have a good choice.\n\nIt is also interesting to note that the beaches around the temple have black sand which I never saw before.\n\nEntrance fee is 60.000Rp
(43) One of the post cards of Bali.\nLike the breeze, cool areas, nice temple almost like floating on the high water volume of the lake.\nIts become so crowded in the high seasons
(44) Although this is an important temple for the Balinese, like so many others in Bali it is old and corroded.\n\nThe dance performance (additional 100k) is fairly good, but the lighting is poor and gets hard to see after a while.
(45) The minute we stepped foot on property we immediately regretted coming. If you google what touristy is. This place will come up. There were so many people and this was at 3 pm. I can't imagine what this place is like at sunset. I saw more selfie sticks in 5 minutes there then I did my whole life. I would only come here first thing in the morning and get in and out. I'm sure during high tide the view of the temple would be better. \n\nIs it worth battling traffic to get a picture of this? Look at all those people. No thanks.
(46) Nice view at the top of temple. Many people. Come when do not have ceremony. Be careful especially if you want to take picture for the top view. many photographer hired, and also big snake , can take picture but need to pay., if just want to touch i think free. if you already at here, so better buy some souvenir here. Cheaper than other place and can nego until let go. Ticket to enter, for international IDR 60 000 and local IDR30 000.
(47) The Sunset provides an excellent Backdrop to the Temple making it an excellent Photographic Background. If Photography interests you, then you cannot afford to miss this location. \nThe Temple itself is on beach and nearby a mini market making it a worth visiting place. \n\nAll in All, a worth going place in Bali.
(48) This is a p[lace that you have to visit around sunset when you go to Bali, the history is amazing and if you get a great guide like we did then you will get to hear about the culture, history and how things work for the Balinese. The sunsets are incredible and the scenery is well worth the drive in so ignore the traffic as this is an issue for most of Bali.
(49) Great place to visit although clouds obscured our sunset viewing. Beware of eating outside the temple. Food is ridiculously priced. I'm sure it's because we were foreigners... 2 Soto ayams which should have cost 50k or below, in the end charged us 120k. Ridiculous.... Not going to fight the cost but just throwing a warning to fellow travelers. Also no taxis out of the temple area so have a plan to get there as well as leave otherwise you will pay a hefty price to take one of the tourist traps for transportation.
(50) We visited this place as it was listed as one of the top attractions for Bali. If you have some time to kill, the place is worth a look. The temple itself was overrun with tourists. We just saw it from afar for this reason. You have to take your shoes off, get in the water, and wade over to the temple. \n\nWe actually enjoyed the surrounding shops and businesses more than the actual temple. \n\nThere was a coffee house where a civet cat was just hanging out. The civet cat eats coffee beans, then defecates it out. The beans are then used to make the most tasty coffee in the world, apparently! That was a giant fruit bat at the same coffee shop -- see picture.
(51) Sadly this Temple has been ruined by the ridiculous amount of tourists visiting.\n\nWe stopped past late afternoon and there was literally thousands of people waiting for the sunset.\n\nSadly it takes away from the meaning of the Temple itself.\n\nWould not recommend a visit as there is far too many people here to make it enjoyable
(52) We got there in the pouring rain and for the first time we were cold! We got through the rain and persevered and boy were we glad to get there. It's mind blowing to get there and contemplate how the local people kept it going! Worth the visit and we'll definitely go back for the spiritual side of this temple.
(53) This temple is a must see. The temple, the mountains, water and gardens form an idyllic picture that will stay with you for a long time to come. The temple is often shrouded in mist and clouds hiding the mountain from view. It is a pity that the site is often overcrowded, but in spite of this, it is well worth a visit.\nThere are gardens and lawns surrounding the lake and areas where children can play. We had a good meal at a reasonable price at the restaurant.
(54) Go when it's a low tide at sunset. This allows you to walk out to the temple. You also want it to be clear enough that the sunset will be beautiful.\n\nBe sure to walk north of the main temple. There is a pretty grass area with a nice small cove. Surfers will be catching waves in the cove and there is an archway in which waves break through.
(55) Jeez. What a disappointment, super over crowded, the temple wasnt anything special nothing special and not looked after well. Areas closed off just crammed full of people. \n\nWe paid £10 for 2 people to watch the dancing and singing of a Hindu story involving hanuman. They crammed over 500 people into a 300 people spot. You couldnt move they blocked the stairs with more people. \n\nThe only good thing was the views. Sad really...
(56) 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."
(57) Went earlier in the day where there were less people. Was able to see a the temple and get some good photo shots at various angles. Another must see in Bali but only need an hour or less here.
(58) A beautiful temple with multitier pagodas located by the lake overlooking the majestic lush hills across the lake. The air is cool and pleasant.
(59) You can understand the significance of this area to the locals. It truly a feat of ancient design and construction. The area is a mecca to tourist with bus loads arriving for sunset. But this shouldn't deter you from this marvellous place. Only accessible at low tide, you can be blessed under Hindu culture and climb part of the stairs if the temple. Like most of the temples in Bali, only locals can access the main area for praying. Both temples in this area are worth the visit.
(60) either you go in the morning or evening during sunset. Good place to take great photo shots. If you are lucky and low tide, you can walk across to the temple. Ample of shopping places also available. Its cheap. But make sure you bargain. But some shops do have fix price.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) Must Visit Place if you are in Bali . I love the surroundings , the sea waves playing around the temple, the solid rocks speak about its history and magnificent sunset makes you speechless . Sit by sea and adore the love of nature - be it breeze, crimson sunset, sea water, rocky arena and the peacefulness inside you.\n\nA bit crowded because of tourist attractive place but one can easily find a soothing place to enjoy the waves and its soul stirring sound. The temple is accessible only in low tides.\n\nLots of shops to buy souvenirs with affordable rates.
(2) Is a nice place, with the atmosphere. We came here for the sunset, which was the time when most tourists come here, but was still nice. The water is down in the afternoon, so you can walk to the temple. Downstairs you can get blessing after washing your face with the holy water and giving some donation, you get some sticky rice on your front head and a flower. I really liked it, we made beautiful pictures from the view point!!
(3) But major part of the outdoor temple is under construction, but still a lot to see and enjoy. Be prepared for large crowds, especially in the afternoon. Also lots and lots of shopping stalls, but they are lined up as you enter.
(4) Beautiful scenery, Great place for pictures. \n\nTip: go there during low tide, so you can enter the temple on the rocks
(5) loved our day tour to this temple , the lake drops the temperature slightly and a breeze wafts passed to make the temple even more magical. took heaps of photos loved it.\nhighly recommend worth the visit, after we went to the rice paddy fields in the area just much higher. Worth booking a day tour.
(6) A lovely place to visit for an hour or so. The setting is stunning and you could believe you were in Switzerland rather than Bali. The temple itself is quite small and has limited. We were lucky to see a funeral ceremony and to see this followed by the ashes being taken to the centre of the lake was quite interesting. The only thing that really spoils the place is the pedaloes for the tourists, which are so out of place!
(7) The location doesnt look anything like the photos. Its crowded and the area around the temple is under construction. \n\nThe traffic around the location is busy and this makes it a quite stressful experience.
(8) This Temple is amazing, there are several places to roam around and market stalls at the entrance, We really had a great time here, we didn't go at sunset but still found it amazing. make sure this is on your to do list of places to see in Bali
(9) A beautiful temple sits on the edge of the lake. This temple is typically flooded with tourists, but is also still used for prayer and ceremonies. If you like temples, I definitely recommend it. The actually grounds aren't too big, so you can see it easily in within an hour.\n\nI also recommend scooting around the surrounding roads to get a depiction of a more rural, local way of life!
(10) We did not really enjoy this temple, there were hordes of tourists, and it is very built around the temple... Other temples on nearby Lakes are as beautiful and more poetic... Do your research...
(11) This was one of the favorite temples we visited in Bali. It is extremely picturesque, set in very well maintained grounds and lake. We visited here on our way back from Lovina to Sanur, and it made a welcome change to visit an attraction \up in the hills\", with the cooler temperatures and the few spots of rain we encountered certainly didn't detract from our enjoyment. The only negative was I'm not sure the point is of the large plastic animals dotted about the grounds, I thought they detracted from the overall tranquility of this site. The whole area is well organized and the even the locals in the shops at the car park weren't overly pushy. Thank you, it was a lovely experience."
(12) Visited here on a day trip. The temple itself is beautiful and we were fortunate to be here on a celebration day. We saw gammelon and dancers and it made it quite magical. The location itself is stunning and is the stuff of legend. It's peaceful, beautiful and steeped in history. I would return in a heartbeat :)
(13) I can definitely say that this is a must see temple in bali in sunset it's amazing and magical in the time of sun set do not miss it if you go to bali
(14) don't miss taking a boat and see the temple from the water the beautiful picturesque pagodas and gates are more special with the lake in front. From the land side it's not much different from man other balinese temples and the massive parking space for buses and cars take away much of the otherwise mystical atmosphere
(15) Did not expect such a wonderful weather and atmosphere. The temple is exceptionally beautiful. The architecture and setting was so calm and relaxing. Speechless over the entire temple. Very beautiful setting indeed. Worth the trip and I continue to pray for good upkeeping for years to come.
(16) The best temple we visited in Bali (and we visited lots of temples in Bali) The temple was closed for the visitors but the garden is very pretty. Weather in the temple area was foggy and cloudy which made it look like a dreamland. \nA must visit place in Bali
(17) Overall this destination is worth visiting as you probably wont get to see temple built on a rock cliff too often. Too bad its accessibility depends on the tides and even though if you manage to cross the water to the base, you still cannot enter the temple.
(18) Postcard perfect!\n\nToo bad it was high tide and the temple areas near the beach were cordoned off for the safety of tourists. We had to view them from afar which was still an amazing experience. There were restos for that perfect viewing of sunsets - just choose where you want to eat and drink and then linger until the sun sets.\n\nAs we entered the site, the vast vista was laid out beautifully before us and all we just needed to do was walk along the path for different views of the temples set by the sea. Waters rushing and crashing to the shore was a spectacular display of nature.\n\nThere were lots of stores selling arts and crafts for that last minute shopping for souvenirs. A cafe serving luwak coffee even had a couple of civets and a giant flying fox as pets - you can take pictures even without ordering anything.\n\nThe best part was the gelato stand by the entrance - their rum raisin was so yummy I so loved it even if I'm not really a fan of ice creams.
(19) Bali is full of temples, but this one sits over the ocean and in the ocean (there is two). We went near to sunset, and the view was breathtaking. It was crowded with tourists but it didn't detract from the visit.
(20) This place is worth a visit. The view is magical you can see the clouds just above the lake next to the temple. The temple is clean and well maintained. Visiting this place early in the morning is recommended is you want to beat the crowd.
(21) Lovely place to watch the sunset. Temple very small but alluring. Worth a visit. Costs 20,000 Rupiah to enter (£1). Can get very busy and bustling.
(22) Worst temple ever. In pictures (photoshoped) looks nice but not in reallity. Just an advertisement trick.
(23) By boat it takes 20 mins from the lakeside hotel. The temple is beautiful and there is a restaurant offering lunch buffet. But the restaurant on the other side of the road has better view from the 2nd floor.
(24) During Sunset time we visited this temple. The interesting part is the temple is not accessible all time. When the water level low then only accessible. It was so crowded place. Lots of tourists visited that moment. The entry fee was 30K IDR each person.
(25) Best temple in Bali ,check the tides before heading out there absolutely beautiful scenery and nice why too experience some culture
(26) Visited as part of a tour and arrived at 16.30. We stayed unto just after 6 pm. We walked to the view point for the temple but not across to the temple. We saw people attempt it but the sea was still quite tough and looked like it could carry you off if you were not careful. Out guide told us if we cross this path to the temple we can look around but be careful of the poisonous snake so we didn't cross the water. No snake was seen from the view point side. Great views from anywhere you stand and great sunset shortly after 6pm.
(27) Ignore the steps you climb because the view washes away your tiredness in a blow of breeze! A rare scene which we sometimes watch only on tv and smile looking at the view! There are temples around and a stage of art performance which looks nostalgic! A great place to have a day visit before a good lunch.
(28) Definately a must see. Beautiful photo opportunities! Just check tide guide before you go because you can't get to the temple on high tide and also it gets very busy after 3pm for sunset.
(29) There are much more impressive tempels on Bali. But if you like a nice lake to relax then this is the spot to go to..
(30) You walk along the cliff, sea at the bottom of the cliff. You can capture as many pictures as you want. Well one can say that other temples have better architecture but lemme tell you it has the best location. The country continues to impress me. I think there was one culture event in the evening and it gave you the best veiw of sunset. I loved this place.
(31) 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.
(32) After a gruelling 3 hour ride, stuck in traffic for the better half of the journey, we finally arrived at our destination. “Staff” (whom we discovered were really local villagers posing as toll collectors) rudely expected entry fees under the thin veil of donation (we saw some tourists who decided not to make the trek, shamed for “not respecting [the Buddhist] religion”). The photo queue at the first temple (where the most Instagram photos are taken) was long while the “staff” (again local villagers with religious and profit motive) eagerly awaited their “donations” to help take photos. We were racially profiled as Chinese tourists (were Australian) and when refusing to pay the expected amount out of principle (hearing another group being charged less), had racial/explicit language thrown in our direction. I was kicked out by an aggressive mob of my cameraman/villager/“staff” whose friends were all too eager to become physical and shoo away the “Chinese tourists”. They were uneducated, rude, aggressive and not becoming of the ideals of their religious teachings. A pass is definitely recommended on this “attraction”.
(33) This is a lovely spot but would have been better with a tour guide to tell us about the temple. Only bad thing was we were there about 11am along with several bus loads of rude arrogant tourists who had no qualms pushing you out of the way to get their perfect photo of themselves taken. Other disappointing things was we witnessed people throwing litter (bottles and cigarette packets) on the ground and in the ocean. Feel very sad that this spiritual location is not respected by all visitors.
(34) Watch this majestic temple while you enjoy the beautiful view of the ocean .. One of the grand temple in bali n sure to catch your breath.\n\nPs : it's way better to come at 4.30 - 5.00 pm so you can also view the sunsets ^^
(35) We came during mid afternoon which wasn't to busy and had a pleasure walk around the temple grounds. The cost of going in is a little high at $4.50 US as we had paid a lot less for better experiences. However it is worth the trip
(36) We got here early in the morning. It was beautiful and serene. Certainly the most unique and picturesque temple by the sea with crashing waves and cliffs. Highly recommend having some meals by the restaurants overlooking the temple and not to mention the shopping. I found them relatively cheaper than most of the places we visited. If you do go for the sunset it can get very crowded and dont miss the Kecak dance performance . Temple is not accesbile during high tides.
(37) Temple is good , but is too much teeming with people which happens with tourist places that too popular ones , you are not allowed to enter the temple just few clicks here and there but it is worth while standing against the Indian Ocean in the backdrop and island temple infront of you for your pictures and selfie cravings :)
(38) Its a very crowded place, the actual temple is only meant for worshipers. This place offers nice sunset view and picturesque background for photo taking. I did not go all the way down since we are not allowed into the temple. \nBut I think its very interesting to walk into the temple during hide tide as you will have to walk in water to cross over to the temple.
(39) The in/ out is a huge market. The temple itself is pretty unique and recommend you head up to the sunset bars in the day for tourist free view as down below there will be thousands of mostly local tourists.\nAbout $10 entry. Easy parking if arriving on a scooter.
(40) I simply loved this temple! The setting is perfect with the lake and pretty garden around.\nThere is a great positive energy to this place you can close your eyes and soak it all in! To add to the charm it has such a picturesque setting!
(41) Although many reviews are recommended for sunset visit, I visited during the day time to avoid crowds of tourist. It's one of Balis most important landmarks, it's unique to see offshore Hindu temple. You can also walk on the shore and even along the shallows to the rock offshore temple.
(42) It really is a lovely place. Go to the top of the temple and sit and watch sea, high cliff, beautiful forest or walk the track. There are moneys in the temple too.
(43) Very nice temple, it is very crowded once you reach there but really worth the visit. Make sure you wear clothes that you can go into the water if you want to visit the entire place.
(44) Nice temple on the sea but unless you go very early in the day it is overcrowded for the experience. It is hard to enjoy the beautiful view with hundreds of other people around you, so definitely avoid this place during the day and only visit in the early morning.
(45) This temple is just so beautiful! Located right by the ocean, the views are magical. The only minus is that it is very crowded with tourists.
(46) I really liked the Temple. It's an amazing place with a great view. Lot's of shops with colorful dresses and cloths. There are also some cafes.
(47) honestly, i felt this was quite a sad visit. the gates of heaven are a complete tourist trap where you have to wait 90 minutes to take a photo for your instagram feed which presents an image that totally isnt reality (the reality is that there are loads of milling tourists all queueing in a small courtyard impatiently to take the same picture for their instagram feeds). the temple itself is not accessible to the public. and when we were entering the temple, one of the drivers tried to cheat us out of our bus fare. if you are in the area, then probably worth dropping by but not worth a super long trek if you are not.
(48) The temple is one of the most picturesque temples we have visited. Its located in a huge premises with garden, kiddo play area and restaurant. One can easily spend couple of hours there. There are speed boats for hire for ride in the lake too. Ticket price is 30000 IDR for adults and 15000 IDR for kids.\n\nMust visit when in Bali!
(49) We did this as part of a free tour offered by the hotel. We did this in low season. When we arrived there were another 20 buses there, 200 cars and 2000 mopeds. You get the picture. You have to wear a purple sarong. The monkeys can be very aggressive, beware of loose articles like phones and sun glasses. The temple borders sheer cliffs so you get a good viewing point. But there is no photogenic spot for a sunrise with the temple in the background. And it was hot. No air. When you leave everyone leaves, Bali traffic jam. Took us 90 minutes to do 15 miles. \nThere must be better places. Research Tanah Lot
(50) A beautiful temple. We attended on Galungan which made it special as locals were constantly popping in and out to pray. Well cared for and well priced. Beautiful scenery. Consider staying in the village overnight to take in all this area has to offer.
(51) don't know that I would swim at the beach, ok to walk down, had to walk passed the temple to get access.
(52) Wonderful place. must visit in Bali. This place itself is worth the visit. Unfortunate that we cannot enter the main temple. But anyway had great blessings from the priests down near the sacred water flow point. felt divine.
(53) Wow, Instagram models galore. People were literally waiting hours to get a photo between the two iconic statue things. We walked through them and went down the back and took some pics from that side. It was nice, but I wouldnt go back. There was also no water at this temple, so Im not sure it was even the same place as in the photos you see everywhere! Oh well, the scooter ride there was adventurous. So a good day out was had!
(54) Feeling zen and peaceful at this temple....\n\nAwesome views..... Many people visit this temple but somehow the atmosphere is very calming and very pleasant...
(55) located on the outskirts a beautiful temple,totally worth your visit.drive to this place is very scenic,with strawberry farms your way.This temple is located in the middle of the lake.great place to have pictures .
(56) I have been to this temple many times but every time I go back I love it more and more. It is such a tranquil place to visit with many great photo opportunities, but if you go in the afternoon make sure you take a jumper as it gets quite cold. Believe it or not!!
(57) Really amazing Temple View and beach view. Blue Waters with decent waves 🌊 Great Location and must see and visits. Super place and great experience.
(58) Three years ago, I was appalled by the commercial circus surrounding the temple. Probably not the intent for a religious site. Can't imagine things have improved as visitors come in by the bus load. If you want to go see a temple, you have thousands of better options on the island. As much as I think the temple itself is beautiful: you're better off buying yourself a post card. Chose to fly over it this year, rather than visit it.
(59) The temple is pretty far away from everything so its a long way. Apparently according to what our driver told us, cars and motorbikes used to be allowed to go right up to the base of the temple area, but now they are only going up to a parking lot and then you have to pay extra just so they bring you up and then again pay to go down. and then again a \donation\" in the entrance (I was told it was free). of course for a tourist compared to the local currency its not like its going to throw off your budget but still, it's sad that all over bali there's always the vibe of \"how can we get more money out from the tourist?\"\nIf you want to continue going up the hill to see the temples after the main one with the iew to the volcano, be prepared for a great effort, its a big way up and the first temple you see isnt really worth it.\nbesides the sarong on your waist, women have to have their shoulders covered, they rent you sarongs in the entrance. if your shirt covers enough you dont need to put anything else."
(60) Beautiful Balinese temple in an amazing setting. Surrounded by sea. A good spot to click pictures. Must visit the sunset and dance in the temple.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) If you are in Ubud, this is one of the must visit site. Of course there are plenty of temples to see as well.
(2) Many improvements to the temple and the garden since my last visit 6 years ago. Sadly, too many aggressive vendors bothering visitors.
(3) This is a very small temple located on a cliff right by the sea. The view of the location is spectacular. This temple is an icon of Bali. If you are in Bali you must visit this temple. The sunset is also great.
(4) Making your way to this temple you seem to go through a market shop/stall area that goes on forever but once you get through that it is worth it! The temple in the sea lives up to its reputation and so do the crowds that have also come to admire. Having said that it is most definitely worth it and there are plenty of places to sit, sometimes with a stunning view, to relax. A must see when in Bali.
(5) This is the famous iconic temple among domestic and foreigners. The visit here make sense to be combined with twin lakes as they are kind of on the way. It is very crowded. They do have boat if you want to take a ride across the lake.
(6) it was the first temple we visited that before getting to it our driver said: it's beautiful. he did not say the same about any other places, with such sincerity. the number of locals having fun at the temple/Park also tells you that it is something that they treasure. \nwe recommend going to this place, taking some time to go around the entire area. \nsome were smoking, which we found a bit disturbing to the area. \nsome groups were singing and playing. it might disturb tourists but if that is their way of enjoying their Park and temple, I am happy that they do it. \nthe lake was foggy and even more beautiful than I could imagine, since it gave a mystery look to all those buildings. \nwe just avoided an Are where we were the only two, and only one guy who was looking too much for us. probably an useless tourist fearfrom us. \nit was a great visit, do take the time to visit it.
(7) Very beautiful place that is closer to the mountains, the temperature is lower there, so take a jacket with you, very windy, but around such beauty, you will not regret if you visit this temple.
(8) this is a very inexpensive yet lovely place to enjoy the gardens and the view of the temple in the lake. I really like that this is a place that so many locals as well as tourists visit. The garden is very well maintained and full of colour. Just a couple of dollars each for a ticket and the markets stalls have good value souvenirs .
(9) Dramatic view - it's an understatement. A very sacred Balinese temple, revered by the locals, you might even catch a glimpse of a ceremony, large assemble of people dressed festively in traditional clothes, colorful and beautiful, handmade oranemnts and offerings, quiet and peaceful celebration. Or maybe some very exotic harmonies of traditional music. The temple seems to exude an aura, and the blue waters at the bottom of the cliff connects it to the nature, drawing energy from it. Eerie feeling, exotic beauty.
(10) U need to visit it early morning when the tides are not high if u want to walk through the sea to reach the temple. Overall its an excellent place and u can have souvenirs from the shops which are before the temple.
(11) We were very disappointed. The location is nice, with beautiful views of the cliffs and ocean. If youre not Hindu, youre not allowed to enter the temple and you actually wont see much.
(12) This temple stands alone past a beach on big rock formation. Surprise to fine spring water so out from the land which sprouts from below the rocks. Drank it and gave some alms as token to the so call priest there for blessing. It was crowded with local tourist from Indonesia and some major University trip with many teenagers grabbing foreign tourist for picture posing randomly hahaha....Oh there is a yellow python along the beach below the rocks but u need to pay and I dont support such captivity shows.
(13) We travel past here about 10 times a year. We should know better, but went this way to Lovina on the day after New Years. Oh, why. We were in crawling traffic for 3 hours! All heading for this temple.\nIt is a lovely temple, but swamped with bus loads of tourists and locals lunchtime onwards. Only go here in the morning and never on holidays
(14) You cant claimed that you have been Bali if you dont take a selfie in this Temple. Very crowded, but its okay.
(15) Beautiful scenic temple. While I visited on March it was lightly raining and it made the view more scenic. Although the mountains were covered by clouds
(16) Quite busy with a lot of tourists including some big groups.\n\nBest to visit at low tide but you cant go inside the temple. Had a good look around some of the gardens and surrounding area. Then sat in a bar on the cliff and watched the sunset with a few drinks.
(17) Loved it here!! The temple is so serene and beautiful. It's not huge so an jour is more than enough time. Landscaping is stunning and the statues are really cool. Would def suggest.
(18) Really pretty interesting. You cannot go into the temple but to see it at sunset and low tide so you can walk up was amazing. No need to purchase food from the restaurants just bring some and sit and watch. There is also luwaks that get going at night and love to climb on you :) They are nearby the restaurants that overlook the temple and they were fun to interact with.
(19) Great view and nice spot for pictures. Not much else to do. At low tide you can practically walk up to the temple. Get lots of souvenirs as you are leaving, much better price than Legian street.
(20) We visited the place right after arrival at Bali Airport. We was so excited to discover the place but found disappointed.\n\nThe place nothing special, Temple was simple and only open for prayer. We only managed to capture the cliff photos but not much impressed.\n\nThe entrance fees only cost IDR20,000.00.\n\nAdvises:\n-Is advisable to buy you own sarong or bring your own scarf if you are wearing short pant. For those, with long pants. You may just need to borrow sash (selendang) without any fees.\n\n-Beware with the monkeys. Do not walk alone and make sure your valuable things or small size belonging keep inside your zip bag. \n\n-You may enjoyed sunset view or enjoy the Kecak Fire Dance near the temple.\n\n-Menstruating women and women who have given birth in the last 6 weeks may not enter temples.
(21) This temple has big area and there are two different routes to explore it. You will get different views from the left route or to the right route. \n\nYou need extra energy here. Minimum 2 hours to get all the best spots.
(22) Temple is located in a beautiful spot! nothing much to see inside, its just another temple at Bali. Do try the speed boat experience
(23) That's the only hinduist temple built on the sea, and therefore everybody wants to see it, so there are hundreds of tourists, and may be more for Sunset…\nYou can only see the temple, it is not possible to go Inside.
(24) I had this wonderful experience to visit this area during low tide week and it is one of the most impotant temple in Bali with Uluwatu and Besakih .\nSpectacular light and amazing sunset
(25) As well as the sunset, this attraction provides some very interesting people-watching! Many Asian nationalities visit the site and all are quite enthusiastic. We were asked by random people to step into selfies and photos. It was very endearing. I felt like a celebrity. This was part of a half day trip organised by our hotel Wapa di Ume in Ubud and our wonderfully kind driver navigated with us through the rather sizeable market there before seeing the temple carved from the cliffs. It's stunning. We were lucky as the tide was out so the crowds were well dispersed. We then climbed up the stairs to the opposite cliff to look at the sun setting and watch the surfers do their thing in the waves far below. Wonderful way to spend an evening.
(26) This temple is wonderful and located on the cliff, you can view the Indian Ocean and watch and listen to the power of the ocean. the scenery is so great and wonderful. all the surroundings with nature, trees, ocean and sea breeze. Also, there are lot of moneys around the garden. But prepare you need to walk a lot there, but trust me...it's worth it.
(27) Out of the way, but a must see. The view is stunning and in the evening there is a cultural show near the temple. Very nice way to soak in some of the local culture while enjoying the beauty of the land.
(28) The view of the temple is very nice. A small temple on a rock within big waves.it takes 30 minutes to pass through the market, very friendly people. At the temple you will maybe spend 20 minutes (without watching the snakes and without the blessing), which you have to pay extra. It is worth going a little bit to east where you will see more temples with less visitors.
(29) Very nice temple - be there as early as possible.\nIn the afternoon it get cloudy. In the moorning fewer people.
(30) Been here to see hw beautifull Temple in the sea. The have snakes attaction an some animalls..some nice cafe to he some drinks f while
(31) Such a beautiful place and specially for indians. You get to observe bali culture and rituals up and close. \nVery nice vibe around the temple and sun set view is just amazing.
(32) After 7times to Bali we finally went to the temple . Yes there is markets there too and food but very well kept surrounds . We went st 4.30 for Sunset and so pretty
(33) During a day of sightseeing, we visited this temple. The views from the shore and cliff tops are fantastic. It was a great day, plenty of food available and if you are into shopping, well shop until you drop.
(34) Nice temple, but this has nothing to do with the balinese religion. On every corner people try to sell their \holy\" things. Not good."
(35) The Temple itself is in a truly spectacular place on it's own island and I loved seeing it, however, even though I'm a regular visitor to Bali I was very surprised at how commercial the whole area is. You pay a $6 entry fee to go in and then you are confronted by a huge market selling all the usual cheap knockoff clothing and a couple of restaurants. I just thought it brought a level of tackiness to what is after all a visit to a religious temple.
(36) Fortunate to have originally been able to actually visit the temple but now due to tourists misbehaving the actual temple is out of bands. However if you are fortunate to visit during one of the local religious ceremonies you will thoroughly enjoy
(37) 1. Tample on the white blue sea.\n2. Unique and beautiful temple.\n3. Must GO place for 1st timer.\n4. Full of art on sea.\n5. Must try the desert with coconut.
(38) My second visit to the temple. Located on a cliff top - temple is just stunning with views. Just beware of rude tourists Taunting the moneys......
(39) Loved it here! Great views!\nOnly problem is you pay to enter, you can eat drink here and shop here, but pay to use the toilets, and no toilet paper!\nFound there was no need to have so many markets here! I came to see a temple not to buy bintang singlets\nBut nice place still, well upkept gardens
(40) This is my family second visit. First was in 2002. Our experiences are as follows :\n\nPros :\n1) The view around the temple is spectacular especially the cliffs.\n2) Not crowded in the morning (before 10.00am).\n3) Parking is easily available.\n\nCons :\n1) Entrance fee is Rp20,000. It was free in 2002.\n2) The temple was closed and there were many buildings near the temple. In 2002, it was only the temple and we could walk right to the entrance but not enter the temple.\n\nIt is a must see but we will not visit it again. Highly recommend for first timers especially for the view.
(41) This temple is situated beautiful at the lake with the mountains. Hopefully there are no clouds covering the temple during the visit.\nI also liked the statute of the water snake near the temple. You can come close to the temple (but not enter) to see the decoration with the different statutes.\nAlthough I like this place we just stay here for about 15-20 minutes, there isn't much more to see than the temple. When we visited this place there were a lot of tourists walking around so you don't sit down for an hour and enjoy the view.
(42) Nice temple surrounded by sea on all sides \nSad that we cannot go in the actual temple.\nShops around the area are ok but you need to bargain a lot.
(43) Great place for sightseeing with couple or family.\nThe zoo architecture mostly Balinese temple and really beautiful.\n\nLove the hospitality from the safari zoo with explaination or all the animal.
(44) We visited this place in the evening around sunset, due to clouds we could not enjoy\nthe sun set, but the view of sea and temple during the sunset was unbelievably beautiful. It just took away our tiredness and stress in few seconds. The temple was closed, tourists are not allowed to enter into the main temple building; but the remaining 90% temple complex is open. There are lot of monkeys in the temple complex, so you should be careful about your belongings. Its a must visit place according to me. Hope this review is helpful in planning your travel. Thanks :)
(45) Definitely must do among top 5 in Bali. Try to catch the sunset and if not sunset go during low tide so you can see the steps connecting the temple island to mainland.
(46) Had a great visit to this different temple.\nIt's on an island and only accessible by wading through water to the island. \n\nThere are different parts of the temple as one is on the 'island' and another on a cliff on the mainland and another further on.\n\nTruly magnificent.\n\nOnly problem is there were too many people jostling for space.
(47) Many souvenir shops stand around the area surrounding the temple, allowing tourists to pick-up a few gifts before making their way to the main attraction. Crowded, but it is an essential part of your trip to Bali.
(48) Lots of people visiting the area around the temple, with a crowd of guys dressed in while at the entrance. I imagine they wanted to be paid to escort you up the stairs, but after seeing other temples, this one seemed not worth the investment.\n\nThe sunset was OK, but there is an island where the sun goes down, so the image of the ball of the sun dropping into the ocean is not possible to see.
(49) Another temple that was closed. After paying for a cab and the entrance fee and we only got to walk around. Mind you the walk along the cliff is pretty but it is still a big let down. I don't get the hype.
(50) I dont know if we were missing something but i realy wasnt that impressed. Its very overcrowded and loads of people taking photos of themselves and the view. View is lovely but considering the time and money it takes to get there i feel there are far superior temples in bali.
(51) Beautiful temple situated in the lake. May not look like as we have seen on the photos depending on the time of the visit. Still okay for a day trip.
(52) Worth a visit, but this temple was disappointing. The views were beautiful, but the amazing pics you see are a trick of the camera by a skilled local. \nThe temple grounds and surrounding area were atrocious. Waiting in line for the Heavens Gate photo, we had to cover our noses to mask the smell of rotting garbage. There was refuse everywhere. I would hope that the locals would take more pride in keeping such a beautiful, sacred place clean. \nNevertheless, it is worth a visit because the temple structure is unique and views are stunning.\nMake sure to have a sarong and sash (girls and guys) and cover your shoulders and back. Sarongs are avail for purchase on-site for cheap.
(53) Another wonderful Balinese experience, to see the temple perched out on a rocky outcrop with the surrounding sea. You are able to walk out to the temple at low tide & you can be blessed by a monk. A very moving experience . The photo opportunities are wonderful & if you go later in the afternoon, the sunset can be beautiful .
(54) Another must temple of Bali. Plan to visit this temple in the evening and njoy the amazing sunset view. You may probably need to go in advance as there can be mad rush to catch the sunset .
(55) This temple is nice but it's not worth the travel from Ubud for example. It's overloaded with tourist busses and selfie-sticks, really annoying. Once you are there you stay there for like 15-30 minutes and that's all and you can drive back.
(56) Beautiful temple on a lake. Not as big as I had pictured but still impressive. It is a tourist attraction so yes there will be a ton of people there.
(57) Beautiful temple with stunning views from the cliff top above the Indian ocean. Parking 3000 idr, entry per person 30,000idr (3 dollars)\nTry a mee goreng from the warung outside! Yum
(58) We visited this temple first time, and this looks really beautiful lake... with a good hand from local goverment, it should be able to be improved more and more beautiful... we really like this lake... fresh weather and natural.......... for sure we will visit this place again.
(59) Yes - throngs of tourists & locals selling - but you have to see it. The setting is amazing - the actual temple is very small & you can't go in - but it's spectacular. Set in crags that appear to be a basalt flow - on closer inspection black sandstone. Never seen that before. For sunset - go just up road and dine at Pan Pacific - world class.
(60) My husband and I visited here during our honeymoon. It's just beautiful in the sunset and it's nice to experience some of the Balinese culture. No public toilets unless you want to pay 3.000 IDR to use them. Plenty of cafes and stalls for shopping and the view is stunning from the cliffs. If you're looking to see some temples, this is one of the more iconic ones.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) It's one of the holiest temples in Bali for the Balinese Hindu. It's located on a cliff. Only the ones going for prayers can cross the sea in low tide to access the temple.\nThis place is also famous for its sunset.
(2) We found the temple to be serenely beautiful and peaceful. The adjacent markets were very interesting. Unfortunately the experience was completely spoilt by the visit to the Snake Park where the animals there were kept in atrocious conditions. Dirty tiny cages in which they could not move and lying in filth. Sick owls tethered to dead tree stumps.
(3) Went here as a part of our Bedugul Temple. Just right after the Handara Gate.. \nIt was Saturday when we visited and the amount if people visiting the temple is alot. \nThe weather is gloomy and good time to take photos but we didnt had a chance to take a photo with out crowd haha. But we are glad that we had a chance to visit this temple.\nEntrance fee is 50k idr each. \nNice garden, with lots of flowers and theres a playground for kids. \nThey also have restrooms and restaurant and its buffet :) \n\nNice to chill and visit when no much crowd.
(4) we were there in the evening and got some excellent sunset view photos..sacred temple for the locals...
(5) It is a must visit place if you love nature. The temple is at hilly altitude so the temperature was very low here in the evening. The huge lake adds to the beauty of the temple. There are also strawberry farms on the way which you can explore. Our kid was very happy seeing the strawberries and plucking a few.
(6) Not much to see or do here. Unfortunately for us, we got there at high tide so we didnt even manage to walk to the temple.\n\nWe took pics from a distance. There are also people that take pictures for you. You can purchase them for 20000 IDR. The pictures come with a frame.
(7) This temple is located uphill and the weather is very cooling. The scenery is so beautiful and a good place for photographs. It would be advisable to go with a good driver cum guide. This temple is far from city center. It is a must go when you visit Bali.
(8) this area is quite relaxing. Lots of areas to relax and enjoy the scene. The temple is not as impressive as I had thought after looking at so many online brochures and instagram. It's good to check it out though. One check marked off the Bali must do list. BTW, There are small eateries in the area if you're hungry.
(9) The temple site was 30 min drive from our resort . We timed the trip to con inside with the sun set . Fantastic views , but be careful of the Monkeys!
(10) During our visit, the water in on low tide mode. We were able to took our photos just below the temple. Furthermore, the view was so good and perfect!
(11) The views are spectacular and the coast line is very dramatic. You need to ensure that you go during low tide otherwise you can only view from a viewing point. We walked down to the temple during low tide. On the right was a cave which has a sign of \Holly Snake\". We were told that people can give donations and have the snake wrapped around there arm and they pray and make a wish. Just below the temple is another area which they call \"Holly Water\". One makes a donation (2000 was suggested). Then you are to take two sips of the water, wash your forehead and face and you will receive from the person manning the area a flower of rice on your forehead. There are opportunities to show and road side stands by the parking area."
(12) There was a ceremony in progress the day we went so we tried our best not to intrude and just observe from a distance. It was a beautiful.
(13) We visited in the late morning during low tide so could access the temple up close. However, the trees that have grown obscured the view of the temple so it kinda lost its appeal. I last visited maybe 15 years ago and remembered that it was prettier then.
(14) A bygone era cradled by the ocean. you can sit nearby and just watch and experience the serenity as the ocean clash against the temple. On a good day when the sea has receded you can walk up to one of the temples. If interested in cultural beauty and architecture a must visit.
(15) The long travel to the northern lake is worth it. Beside the amazing temple, there is the park which is very clean with lots of flowers. We reccomend to visit it as early in the morning as possible since there are less tourists and the street has less traffic.
(16) This place is overwhelmed by tourist souvenir shops and restaurants in 95% of the area \nnearby the temple on the rock. Beautiful and interesting temple there is also another smaller one. Not possible to viisit it is in the water. may be we were there on a wrong moment but we feel that it is a bit \ an overreacting wow effect\" but again may be the time was wrong. We visited 35 years ago and have a better memory from those days.Understand of course that people like to visit this Bali \"icon\""
(17) This place was amazing. Such natural beauty - shame its been commercialised by wedding venues now. But still enjoy the views and sacred temple.
(18) This temple is superb! It can be quite busy at times with many tourists constantly trying to get the best photo! You will not be disappointed!
(19) This was evening well spent. We were contemplating whether to visit or not as it was far from our hotel. However, we decided to visit and we were thrilled to be there. The temple is located right at the tip of the mountain overlooking the see. The view from the top is mesmerising and cool breeze in the evening makes you feel so good. Another thing that we learned in Bali is that one cannot enter the seven main temples. Only the priest are allowed to enter and offer prayers. Best time to visit is during sunset to enjoy the view.
(20) The temples that line this coastline are beautiful. Not sure how many in total are here. We visited 3 of them. But I believe that there are a few more. The most interesting one is the temple set all by itself on a large rock. They have a sacred water purification ceremony and the foot of the temple. A must see see location if you visit the island of Bali.
(21) Unfortunately the water level of Lake Beratan was right down when we visited so we didn't get to see the temples \floating\". Even so, this is a very beautiful area and is well kept with beautiful gardens. The location of the temple at a lake surrounded by misty mountains makes it a serene and peaceful place to visit. There are many great photo opportunities here as it is very scenic. You can take a boat ride around the lake or do some shopping as well. It can be very crowded I believe, but this was not the case on the day we visited."
(22) I got confused why we visited this temple as we have many amazing sunset places in india as well. We could not enter in the temple as it is only for local people.
(23) Beautiful Temple and good place to visit and see . Located in Beratan lake . actually all the area beautiful the tumble , lake and the mountain
(24) You can take very nice pictures at this temple. \nThe lake with a fishermen as background for the pagoda's . The local pilgrims, many small ornamental details.
(25) It's a traffic jam to get there.. But it's worth it, be patient and if you love a good sunset it's an excellent spot to see one! Most people seem to be around the temple with lots of others around them at sunset. I walked a little past the temple at a bar that had only about20 people at it, so we all had a Uncrowded front row view of the sun setting over the temple.. To me, this was better than being in the masses crowded around the temple. All those people blended into the silhouette created but the sun. Just beautiful watching the waves roll in from the cliff too.
(26) It will cost US$6.00 ( IDR60 000) per person to get to see the temple but so worth it especially if you are a 1st time visitor. There is a long walk in the heat, BUT this is Bali so enjoy the view en route. The large market has a great sellection of goods at reasonable prices compared to some other areas. This is NOT a temple that you can enter but it really is worth the trip.
(27) Beautiful place and the temple is just inside the lake. And the mountain and lake view so mesmerizing. U will take ur breath away. U can eat in nearby restaurant with the view of Lake and mountain although I don't like the food(we v booked a taxi for 10hr for USD 55). U won't find local \nTaxi here
(28) It is truly awesome - unbelievably gorgeous, right on the Indian Ocean, and built into the rock! You must, must, must go see this temple. Take advantage and eat there - to see a beautiful sunset.
(29) This temple is absolutly beautiful at Sunrise. We managed to get a boat and we paddled until the temple and saw the Sunrise. A misty came through, it was gorgeour. \nWe had the chance to see part of a ceremony which happened at a alowed place for tourists.\nHighly recommend to go in the morning, because it get really crowded.\nStop for lunch at the city Market after.
(30) Lovely view of the ocean, cliff, sunset, nice place in the morning and evening also. There is a small temple on a hill, and you should cross the ocean to get a holy spring water ( for Hindus ) but everyone can do it as it is a part of their tradition.
(31) This place is very spiritual and beautiful.\nThere a quite a few steps at the start, and then you walk up a massive hill to get to the start of the 1700 steps. Take lots of water and have some comfy shoes on.\nWe happened to be there on the day of a local ceremony so it seemed to enhance the spirituality of the place.\nYou do pay a donation to go into the temple and if you don't have a sarong, these are available to hire aas well
(32) Bild with whie stone with beautifull view of Indian Ocean. Few mean monkeys so beware of your glasses, water bottles ect. You will get a loan of sarong if you need. Stock up with watter as there is no hawkers inside.
(33) Came here as part of a full day tour with Voyagin & this was the last stop. \n\nUnfortunately a pretty sunset was non-existent due to heavy cloud cover. We still enjoyed seeing the temple's rock formation sticking out of the water. There were a handful of tourists around but apparently it was busier in August & September. \n\nThere were cool market stalls on the streets leading up to the cliff face where you can see the temple from. On the other side is a rock formation which has a hole in it. I think our tour guide said that was another temple. \n\nWorth seeing once in your life if you're in Bali.
(34) Wow, what mesmerizing view, on bank of Lake wonderful Temple, enjoyed every moment being there on hill top really very nice temple
(35) so nice scenic view and also instagramable. It is one of iconic spot for tahing picture for the temple also printed in Rp 50000 money. Good arrangement place and when I was there also they held a mlasti ceremony so i said wow i could see directly.
(36) The temple is located on a hill. The view from the top is really amazing. Maybe only access to the temple is quite tiring, past several stairs. The ticket fee price is only idr 10k. A very worthy temple to visit.
(37) Though this is a very touristy spot, it does not take away the overall beauty of this place. This is one of a kind temple! Unlike other conventional temple, this is actually a temple on the water! Advice going during low-tide (that's when you can walk across to the temple on water)!
(38) This is place can't miss in Bali. You can enjoy the amazing view of Indian ocean and also the historical temple. It was so relax when visiting this place.
(39) We arrived 3PM till sunset time. We sat on of the restaurant for the sunset view over the temple. It was amazing
(40) We were so excited to visit , paid our $6.00 and walked and walked in the heat . The views of the beach and the back of the temple ? Were great . But we couldnt enter such a shame and a waste of time
(41) Too much traffic to get there, too many people. Could not even go inside the temple as it perches on a rock off the coast. On top of it trees cover most of the view. Considering the time to reach there and things you can really do, I don't recommend.
(42) We came here in the afternoon about 5pm and stayed for the sunset. Just spectacular! The temple is lovely, you can walk from one side of the cliff to the other. You have to pay to get into the temple and you have to wear a sarong to cover up your legs. There are monkeys arounds, so just be careful, stay clear and you will be fine. The view from the cliffs are just amazing. There is a show you can also go see if you pay. Try and walk along the cliff face all the way. There are some shops outside to buy refreshments as it is pretty hot.
(43) Good time to go is around 4 or 5 in the evening as later you may just miss the sunset as its a long walk from the car park to the temple. Also the tide is low so you can walk and go to the temple. However when we went the steps to go up was closed, not sure why. there is a fresh water spring under the temple and you can go a sip water from it and take some blessings from the priest in the form of flowers, they ask for donations/ but thats not compulsory, so don't fall for it. around there are path ways to walk and sit and click snaps and shops if you want to do some small time shopping
(44) Make sure to get there way before sunset time as we did not and we almost missed the sunset. It is a long walk from the car park to the actual temple so you need to allow time to get there. Moreover in our case we were also not lucky with the weather as it was clouded so the sunset too was short and quick.
(45) get there after tide hours to enjoy the entire parts of the temple. sunset view is the worthwhile waiting as it promises a not to miss agenda during the visit.
(46) My favorite temple in all of Bali! The water adds much but the grounds with so many flowers are very different than other temples, so beautiful!
(47) This place as raved and recommended by many tourists is a must visit attraction.The sunset view here is very beautiful and the temple offers a lot of history of the attraction behind with a comprehensive story to let tourists have a better understanding of the place.\n\nThis place is very popular with couples and on our visit we managed to see a couple heading there for their wedding shoots.Amazing place with an even better view!
(48) Really nice little island temple surrounded by water at high tide..at low tide you are able to walk across to the temple to climb the little steps inside, lots of great view of the ocean, it can get busy and quite hot so get there early...
(49) the view is breathtaking... Will need to wear special sarong if you want to get into the temple, you can rent a sarong that provide at the temple gate.
(50) Breathtakingly both beautiful and spiritual. Worth the trip. Go before sunset and watch the sun set behind the temple. At low tide walk across to the temple and be blessed by the priests. Just amazing
(51) A beautiful place to visit! Yes there were lots of tourists, it was busy, but it did not detract from the good, calm energy of this place. We spend a couple of hours here and it was just lovely. \n\nThe market however that they make you walk through as you get out, is not nice at all, and the only place in Bali were they were aggressive, even grabbed my wrist as I walked through, asking me to buy their items. Such a contrast to the peacefulness of the temple
(52) The place is so calm and lovely that one will love going there. To go to the temple where they give the holy water, one needs to walk through water from one side to another. The waves may wet you so one does need to carry a change if possible. The best time would be during sunset. \nThe day I went it started to rain so I missed the sunset but despite of that I enjoyed a lot.
(53) Very interesting place to visit and spend some time to walk to both sides of the temple area to enjoy the views. We hired a car to bring us there and expect traffic jams all the way there and back.
(54) 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.
(55) Have been to this temple twice in my life. Once back in 1985 when the arch was still there but since then it has collapsed. Beautiful views at sunset. Loads of sellers at this place though. At lease they dont hassle you too much. Be prepared to pay to go to the toilet. Please go there at sunset at least once in your life.
(56) It's most visited temple in Bali.Located on the cliff almost hanging in the air facing Indian Ocean, it's paradise for photographers and attract huge crowds in the evening. The temple is very sacred for Balinese people and associated with Majapahit Priest Nirartha. It's as part of chain on sea coast reflecting esoteric connectedness of existence. It's enchanting to observe waves moving along the cliff forming beautiful patterns and also raising to the sky. There is admission ticket and it's better to reach the place few hours before Sunset so that we can leisurely wander around before crowds gather in bus loads.Non Balinese are not allowed inside the temple as a custom but we can walk upto to entrance and walk on the periphery. Not to be missed.
(57) Nice views from the cliff but you pay 30k per person and you cannot go to the temple, only cliff and surroundings
(58) The sun, The sea, The cliffs & The temples. Nature at its best! Very scenic!! We were able to witness the locals travelling to the temple with their offerings and prayer rituals. What a sight! An experience worth this trip!
(59) The temple I was told was built in the twelfth century. It is spectacular. Watching the waves crash around it, just breath taking. \n\nWe met the big fella in the photos for fifteen dollars Australian which included a proper photo taken in a frame. He was very special.
(60) This place is a must visit in Bali, its a temple with stunning views. the ground and market around the place is great to spend some time and click some beautiful pictures.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) The temple is built on a cliff and the view around the area is mind blowing. Its beautiful beyond words. The waves crashing and the wild wind blowing in your face all take you out of this world. Its unthinkable to miss this attraction if you visit Bali.
(2) I really recommend going here! There are not a lot of temples but the beautiful gardens and of course the lake make up for that. It's truly a stunning place with a very serene feel. Bring your camera because you will take lots of pictures!
(3) This is among most pictured temple at the huge lake. The Kool breeze with great view would give you immense pleasure and and feed good factor. Spend some time just watching the lake view. You would find the peace here.
(4) 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.
(5) Founded in the 17th century, this is a very important temple to the Balinese people. Situated beside lake Beretan, the view is awesome. The mountain served as a back drop to these multi tiered temple. It was a cool afternoon when we were there, as dark clouds hovered above the sky. Different kind of boats are for rent if one would like to go around the lake. \nThe temple is separated from the mainland but just a stone throw away. It was built on an Island surrounded with water thus it seems it is floating on the water. Avoid weekends & local holidays for definitely it will be crowded.
(6) absolutely beautiful place without a doubt the best temple experience I have had in bali, we visited about midday and had the place almost to ourselves which was great you can purchase fish food we got 6 small bags for a dollar, walk out on the stepping stones and sprinkle it at your feet makes for a great photo, its out of the way but well worth the effort
(7) One of the most romantic places in Bali. Before reaching the temple visitors pass thrugh a forest where live many monkeys. Be aware of them. They steal a lot. Take of your jewelry, glasses and keep your cameras and phones.
(8) This review is a warning to people on tours. If you are offered a place to go for lunch before you get to the lake temple, say NO! It is probably Mentari Restaurant (on a hill about 150 metres away from the temple). Food is well over priced and not good. We were asked if we wanted to get lunch before we went to the temple and stupidly said yes. There is obviously a deal the restaurant has with tour companies (read the reviews on the restaurant). There are eating options at the Temple that are way cheaper and look more appetising.
(9) Beautiful temple on the shores of the lake. We walked the gardens which are lovely but oh the crowds, we arrived at midday on our way back from Pemuteran to the airport and it was very busy.
(10) One of the more famous landmarks.\n\nWhen I visited it was used during a festival. So many people went up to the temple. Tourists just stand and watch. \n\nAs with other temples it is really non-interactive. You go and watch. Cant even go inside. If you do this everyday at 5 dofferent temples you will go crazy because the experience is simply unsatisfying. But once in a while its ok. \n\nSunset is now at 6:45pm. You photo buffs know when to arrive then. ( ie not 6.45!)
(11) i went by taxi from center Bai .. its a real nice place and defiantly worth the visit, one of the biggest temples and most important ones in bali
(12) Seen at high tide with the crashing waves...that was nice. So we could not walk out to the temple. That was okay, too. I don't see what all the fuss is about. Nice gardens along a rocky coast with a scenic viewpoint..
(13) The temple is beautiful, you don't have to wear a sarong, as there's no entrance to the temple on the water.
(14) A must visit if you want to see a beautiful sunset. You cannot enter the temple, so you can only hangout at the park area or the pathway to the temple which is both really crowded.
(15) This temple is close to Nirwana Golf course so after a game of golf I freshened up and decided to go to the temple. \nfrom the gate its a long walk crossing many street shops so its a nice walk and once you reach the temple you realized it was worth the walk.... \nif you are playing golf then you can combine temple visit as you have possibly rented the car for the day...( car rent for a day cost only Usd 50 along with a driver )
(16) Hopefully want revisit again. Fill like not enough just look at the big stone above others stone. The temple on the top of rock. Just curious to know what kind of1 it.
(17) This location gives you the Best View Point of Both the Beach and the Temple.\nThe location shows you the best of South coast of Bali
(18) This temple is one of the most well-known, and therefore one of the most popular temples in Bali. It is well worth visiting, and there is plenty to see, but it is also often very busy and a little crowded, though this does not detract too much from the interesting insights into Balinese culture that are on offer.
(19) I have been here on a previous visit to Bali but my travelling companion had not. This was the final stop on a full day tour. The place was totally packed with thousands of visitors mostly I would say to be there for the sunset as it was late in the day when we arrived.\nWe didn't bother walking down the dozens of steps to get closer to the Temple. We just viewed it from the cliff tops. \nBeing late in the day the drive back to our villa was horrendous with the tiny roads packed with huge tour buses. \n\nI would recommend visiting very early in the morning before the crowds descend
(20) Really enjoyed this trip.. The temple is worth seeing and the monks are lovely.\nDefinitely have the blessing and drink the water. \nThey guys doing the instant photos are nice and non intrusive.. \nThe other sellers further up are a lot more persistent and annoying. \nThe markets are good and worth a look.
(21) The temple situated on rock over the sea. Amazing views! \nI was there in last day on may trip and this view impress me most of all in Bally!
(22) the beach place with black sand is quite a sight to sea, try to reach there on low tide days so u can see the temple up-close. Also see the rock cove a naturally carved mountain by the sea, get clicked with mesmerising reptiles and specially a yellow Boa snake and a brown rock python for 400,000 rupyah both together to up the ante.
(23) Went to this temple on a tour and was fairly impressed. The temple itself is very beautiful and is set on the lake. Photography is excellent, even with the hundreds of people. The grounds of the temple are pretty big and it's a nice walk round. I've heard it's cloudy/misty most days, so we're were really lucky as the blue skies came out. Worth the small entrance fee and we even got. Glimpse at a ceremony taking place, which was wonderful to see.\n\nYou should defiantly try to come to this temple.
(24) Loved it! It's a little oasis in the heart of ubud. The temples are wonderful and a lovely place to hide away from the mad rush of taxis and scooters.
(25) It's dissapointing to see really beautiful places very commercialized. Sometimes it's necessary and perhaps the temple is closed for visitors so it can be used for traditional uses, but it feels very touristy.
(26) Wow, when I thought we were going to a temple, my first thought was boring. What a mistake my thinking was, amazing views via the clifftop, you can spend hours up there watching the world go by. Early afternoon is the best time to go before all the sun set tours arrive. A big Thumbs up
(27) We were expecting to have a great time there as heard its name so much. It was a chaotic entry as the taxi driver left us on the wrong site of the main entrance. Then, we entred in but NO maps, No sign, NO guide to get info. It was very dirty, even the Main areas of Temple.\n\nWe thought twice when we wanted t have something to drink!!!
(28) This temple is truly gorgeous in every way. It's best to go at low tide, generally early morning or late afternoon (6pm) so you can go out and explore the temple. \n\nDon't forget to touch the lucky snake and drink the holy water... (Small donation recommend // 2000 IDR)
(29) Interesting place to see but there are better temples around.. we went there in the afternoon we wanted to see the temple at the sun set but unfortunately the weather wasn't at our side..
(30) Bad traffic during our visit , jam all the wa.y we took few hours to arrive this place .. \nOne of The best place for photograph , the lake , the temple and the structure .but It's only take 30 minutes walk from start to end for this place . \nSome may feel wasting time for long drive just for a short visit ..
(31) The temple itself is amazing and I don't feel a temple can be rated, but the overall experience is a bit disappointing. There are thousands of tourists everywhere. Upon arrival it's about 40k each, from the entrance you walk down to the water passing markets and shops. Seeing it for the first time is amazing, but you don't get to climb up onto it. I think it would be too damaged with the amount of tourists. To be able to walk up the few steps, you have to get blessed and make a donation. To see the snake you have to make a donation. There are people walking around trying to sell lasers and sarongs and birds, etc. again the temple itself is amazing but everything before, after and around the temple is disappointing
(32) This temple if wellknown and will Always be categorized as a must see by touroperators. Its touristic and can be very crowdy. Best time is when its low tide, there are sites where you can find the best time to visit. You have to pass a tourist market where they sell the wellknown things from Bali. I was Lucky and saw a ceremony for the sea, was a special atmosphere and they did alot of offerings and played the traditional music. I didnt stay for sunset but heard it can be nice altough i think there are better places for seeing the sunset in Bali. I visited in october 2015 but didnt write a review then.
(33) This place is highly overrated and full of tourist. I would not put this in my top 10 list of things to see in Bali. The temple it selves is isolated from main land, and you can take some good pictures, if you can find a spot, where there is not a tourist already. The area around is full of souvenir shops and for example a snake farm where some poor snakes has been captured together with birds and bats for show. Awful.
(34) Entry inside the worship area is not allowed. The temple gives you an ocean view and the area has some cultural, mythological history attached.
(35) OK place to check out if you are already in the area but not worth travelling for. Cannot access the temple itself since it is on a separate little island.
(36) This is a lovely temple to visit. Very popular and busy. Best to get there in the morning to beat the traffic and the crowds. The lake has formed in a dormant volcano.
(37) picturesque! beautiful photos of the various cliffs. Unfortunately we missed out on sunset photos due to the cloud cover. You cannot climb up to the temples either, so photos from cliff tops only. Markets are great as are the foods available. Food was terrible at the main restaurant
(38) We went there on our 1st wedding anniversary and it was awesome. Although we could not go to the temple as the tides were high and so the entry was restricted. But the view is out of the world and it is a very peaceful place.
(39) Magnificent cliff top temples, lovely to visit and you can watch the surfers below on a good day too. Restrooms are very good on the way out.
(40) It was built on the lake, nice scenery and unique. Locals will pray from the temple on shore and go all the way out to the temple on the lake by crossing two bridges.
(41) We were not allowed inside the main temple even though we are hindus. however the temple complex location is extremely beautiful being built on a high cliff
(42) This is a very beautiful in a lake and the scenery around is spectacular. With the mountains in the back ground the whole setting of the temple is beautiful. Restaurant on the opposite side of the temple have a nice view of this whole scenery which can be enjoyed over a meal.
(43) Temple by the sea. Good place for sunset viewing. Theres a lot of shops and restaurants too. But its too crowded. Difficult to get a good photo without people passing by. Have to be careful though as waves tend to get too high at times.
(44) I came here toward the end of the day and it was getting dark. The clouds were hanging on the mountain across the lake. The temples with its unique architectural structures stood in a postcard perfect setting. It's worth the drive from Ubud.
(45) Lovely spot to visit, this was my second time coming here, overall was great to show family around, the stalls selling items along the entrance way has changed dramatically since prior covid and temple was lovely to view again. Was extremely busy with tour groups who pushed and shoved us, not caring that we were trying to take photos. Would recommend coming here but be prepared for crowding
(46) We have been visiting the temple during a religious ceremony. \nIt was really unique. We also followed the ritual of the ceremony with the holly water and the rice. We enjoyed it a lot. \nOur intention was to enjoy the sunset from the temple. Unfortunately it was not possible because the weather was clouded. Take this into account if you are planning to go there for the sunset view. \nThe place is amazing!!
(47) We went here in late afternoon. It started getting cold and we could see lake started covering in fog. The garden and whole premises is maintened and kept very clean. There were very few people at that time and it felt like all this place is for us. My toddler had great time here and we could do nice photography. Temple is a real beauty, only regret is we can't enter and see it from inside. We spent arnd 2 hrs here and still was not enough. Don't forget to bring sweaters.
(48) IDR45k for shuttle bus from parking area going up to the entrance plus IDR55k for ticket to go to the temple, but you are not allowed to go inside the temple (just like other temples in Bali). I find this is too commercial! Normally you have to wait 2 hours for your turn to take photo at the gate and you can do nothing much around here during this time. We skipped this because the view is beautiful but not worth such waiting time. The temple is also quite far from Ubud center, around 70km, so it takes quite a lot time to visit this place from Ubud.
(49) Recommended to visit this temple at 3-4pm if you don't wish to wait until sunset and want to avoid the crowd. View without the sunset is still another great view that makes the visitation worth for it!
(50) We traveled an hour from our villa to get here. It was totally worth it. A guide took us around and offer some flowers and incense sticks. It is a peaceful and serene place. Nice experience. If you are wearing shorts, you need to cover yourself with a cloth(provided by the Temple)
(51) First I want too say I seen the temple 31 rs ago. And it was gob smacking beautiful. We parked our scooters just off the road and walked across a rice paddy to view it. I seen what it has been turned into today a Hindu tourist trap. 100's of cheep stalls selling all sorts of gegors and cheep rubbish. Avoid if you can
(52) another temple in this island to visit, not like the other temple located in the sea,, sacred snaked shown in the little cave near it.. give some donation and make your wish... wait a little bit longer so you'll see the beautiful sunset
(53) Despite low tide (which we tried to avoid but couldn't find any answers about when the tide would rise), the temple was still really beautiful. It was also pretty cloudy and had rained all morning, but we still found the temple to be stunning. It's worth visiting and is a nice break from the hot weather down in Ubud and Kuta! It's a bit of a drive but definitely worth it.
(54) This was my least favourite of all the temples I visited in Bali. So many people on the beach waiting to take a picture of sunset. You are not allowed in the temple itself, so in effect you are paying to walk past lots of market stalls and go on the beach. Overrated and not worth the time or money.
(55) As a tourist this what you do - go see interesting things that aren't in downtown Pittsburgh or for that matter not in most neighborhoods -- see the monkeys in the temples. Worth the time & expense (very cheap).....
(56) We visited the temple first thing in the morning as recommeded by our driver as he had said the temple gets very busy at sunset and can be chaotic.\nWas well worth the visit and will be going back again for another visit.\nThe markets were excellent and cheap (wish i had known about the earlier).
(57) We were lucky, and arrived with low tide. A small natural spring of fresh water underneath the ledge where the priest blesses you with the fresh water and rice and then puts a frangipani flower behind your ear - small donation preferred, not needed. We couldn't get into the temple, but from the top of the cliff with a cold drink, amazing to see the sunset
(58) This temple was in the sea ,a huge stone structure ,beautifully well maintained and clean. We had to walk a long way from the parking lot to the temple.At the base of the temple is a small spring which has cool fresh water.Here there are Balinese priests who bless you.We could not go to the temple as it was closed.
(59) I found that the temple is highly commercialised and lots of tourist, making a temple into a shopping mall.
(60) This temple was built on rock in the sea, and is cut off at high tide. The coastline here is just spectacular - photographically powerful. We made our way through the crowds of tourists to view the beautiful temple, itself off limits to tourists. Then when you look the other way up the coast towards the setting sun, it is just stunning.\n\nWell worth a visit.

File diff suppressed because one or more lines are too long

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) Stunning setting, gorgeous temple. Well set out tourist attraction, close to Lewak coffee farms too.
(2) Lovely spot to visit, this was my second time coming here, overall was great to show family around, the stalls selling items along the entrance way has changed dramatically since prior covid and temple was lovely to view again. Was extremely busy with tour groups who pushed and shoved us, not caring that we were trying to take photos. Would recommend coming here but be prepared for crowding
(3) Beautiful Temple that at high tide looks like it is on an island. On low tide you can walk across and into and around his area. It costs 30, 000 rpd ($3 aud) to enter. There are a few other small buildings/temple/alters scattered around. Prior to getting to temple there are numerous shops/markets.
(4) We came midday. It was hot as expected. Paying a small amount to enter. There was alert monkey sign at the entrance. Keep an eye out as you walk thru the temple. They r wild animlas. Dont provoke, and best to ignore. Saw one charging a patron, saw one grab a sandal of a kid, heard incident one took away a smartphone and threw it off the cliff. Otherwise spectacular view even it was not sunset.
(5) We visited at low tide and walked through the various markets stalls from the carpark to the viewing area to see the temple. Under a cliff there was 2 men who for a small donation would allow you to touch the holy snake which keeps the temple safe. For another small fee you could enter the temple and walk around. We didnt, we were happy just to view the area and take photos.
(6) Beautiful temple on a Offshore Rock .. you can walk to temple during low tide but during high tide you can look from distance .. it is one of the seven temples in sea around Bali .\nNice place to visit during anytime of day but best to go before sunset .
(7) Plan your trip first to get there because of traffic :). Sun sets around 18.30. It was very nice to spend a few hours before watching sunset. No rush we were on holiday! Today low tide so people can walk to the holy temple easier. We walked past 2 holy sneaks. Folks believed they live there long time already. Food at restaurants there are a bit more expensive than usual. 70,000 Rp for a noodle fried with vegetables and tiny shrimps. It was tasty through. We went there on religious day so it was pleasant to see them in traditional outfits on. Entrance fee and parking fee are required.
(8) Very normal place most of the people go there for no reason its walking to the top of the mountain where u you can see the temple. all this effort just for 5 or 10 minutes at the top of the mountain to the sea the sea, nothing much to be done there
(9) Had a Bali visit with family. Amazed to see Bali's Culture, got an opportunity to see their cultural event. I am told 92% people in Bali are Hindus, Hindu religion is taught in school there. \n\nHad 2 day trips but most liked was this temple. Sunset view from this temple is simply supurb!
(10) This stop is almost in every guidebook as great place to visit, but reality isn't that good. Lots of tourist groups and all you can see is 4m tall temple, thats only interesting thing about it is that is on island. For 50k per person really nothing interesting.
(11) You arrive, park, enter and pay your money. You are then faced with rows and rows of shops that will offer you everything g from clothes, souvenirs and food.\n\nForge on down the path till you enter the Temple gates and it all changes. No shops lovely grassed area and beautiful blue sea water. \n\nThe paths are well maintained. We arrived at high tide meaning that we could not go over to the actual temple but it was a nice view.\n\nHeading right from where you enter go up the hill then look back at the Temple, a lovely vantage point to take the area in.\n\nThere are people willing to take a photo for you and print it for you to take home. Your choice. They were not pushy.\n\nA great place, lovely once you get past the shops.
(12) Come here by 6pm to catch a beautiful sunset. There are shops that sell shirts really cheap (10k INR) at the entrance and there are a few seafood restaurants where you can eat and enjoy the view. You can go up the temple, but you need to be blessed and make a donation. It was closed though, so the blessing is just permission to climb a flight of stairs :/ If I remember correctly the entrance was 30k INR per person.
(13) A temple on the cliff it's awesome place beautiful temple and super scenery. It was a pity that I was there at noon time because think it would be better to see the sunset there!
(14) We got on our bikes at 4am to start our three lakes trip and arrived here at about 6ish....No one here but us and some pro photographers chasing the perfect sunrise shot....and it is quite something to see the sun come up over cloud shrouded mountains slowly revealing this marvellous temple....mix this place into a lakes day trip and a waterfall or two for the perfect day out
(15) Beautiful temple nestled on a lake in the mountains. Very busy with tourists - get there early to beat the crowds. Beautiful scenery in that part of the island. Temple is made famous by being on just about every Bali advertisement. Well deserved publicity.
(16) We got there a little early to wander through the market, which was great, and then made our way down to the temple. The tide was going out so we played in the tide pools which provided a variety of sea life and shells. We grabbed a table up on the cliffside and then just watched the show as the sun set. The crowds were not a problem at all for us. We were there mid-July.
(17) Incredible location for a temple, with the lake, the mountains, the trees, the smells and all the flowers. We had a day trip and this was one of the places in the programme. It is quite specific to Bali and a visit here makes you feel very good. Go, it's a good choice!
(18) We really don't understand why people rate this temple with four stars on Tripadvisor. We think it is barely worth two stars. \nWe came to this place expecting a beautiful temple in a serene and tranquil lake setting. An expectation that was inspired by the many pretty pictures on the internet. \nWhat you don't see on these photos is that this temple is set in a theme park. There are statues of turtles, tigers and owls all over the place, masses of people armed with selfie sticks and roaring speedboats with shouting tourists passing by on the lake. To us it seemed like Disney Land. There is nothing serene or tranquil to be found here. \nOnly visit this temple if it is on your route to another destination. It's a good place to stretch your legs and see something while you're having a break. Otherwise just go to another, more impressive temple. This one is really not worth the long drive.
(19) We hired a guide in Bali (Mr.Surya) and he is a gem of a person. Do contact him if you are there and he will show you around. His contact number (Phone & Whatsapp) is +62 852-3711-0000. You will not regret it. \nIf you think you should visit this place only during sunrise or sunset, you are mistaken. You can visit this place anytime during the day. \nWe went here around 3 pm and it was fabulous. The sky was blue with the waves hitting the shores at the prefect height. \nFrom the parking the temple is around 15 minutes walk but you will not feel it. There are a shops at the parking where you can drink, eat & shop. Wear only flip flips or rubber CROCS. \n\nMust visit. \nDuration of visit -1 hour minimum. You will not get bored.
(20) This traditional Balinese temple is situated on a small rocky island and can only be accessed when it is low tide in the afternoon. Which is perfect timing to watch the magnificent sunset. We didn't eat in any of the restaurants but had some drinks at Cafe Santai with a great few over the ocean. Staff was quick to take our order and the atmosphere is relaxed. If you haven't done your souvenir shopping yet, I recommend to do it here. Abundant market stalls offering goods at the lowest prices I have seen in Bali.
(21) Lovely sea waves,sunset view,temple on small hill, nice place in evening time, holy spring water for Hindus.
(22) A beautiful temple, totally overrun by people selling you things. It was non-stop. Combined with the general busyness of the temple and it became hard to appreciate the place. Its a bit of a drive to get there too. I know this is on the must do list in Bali, but we found much better temples to visit in our travels (as pretty as this one is).
(23) Beautiful temple surrounded by a very beautiful tropical garden. A pool with nice step stones and full of fishes which you can feed them and a peaceful atmosphere.
(24) Great place to go \n\nWonderful views of temples and the ocean \n\nSunset was beautiful and left us speechless \n\nEnjoyed it very much
(25) Amazing view from the top. It's a sunset point though we didn't get chance to see it due to cloudy weather. Wonderful view of the Indian ocean from the top! There is a temple that has a special cloth and have to wear it around your waist and then allowed to enter. Overall nice experience!
(26) One of the best in Bali. Could be overcrowded but still worth a visit if you want to meet balinese culture and take great photos with the temple and sea behind !
(27) beautiful temple, has a beautiful view,andv also have lake with surrounded by very beautiful hills, the hills was very grean,there is a beautiful garden.
(28) During low tide (evening) you will be able to walk across to the temple. If you choose to go anytime before that, the tide will be high and you will only be able to see it from afar. Beautiful place to visit nonetheless, but overly crowded with tourists as it is a popular attraction. You will be able to see locals performing their prayers as well but please do respect them and do not ogle or take pictures of them.
(29) As far as Hindu Bali temples go, this is a very beautiful one. Set on a lake in the mountains. Highlight are the carved doors with goldpaint, and the temple parts on islets. Beware that it can get colder here than the rest of Bali, so that when it rains you may get cold in just shorts and tshirt.
(30) This is a fairly major tourist attraction with the temple sitting on a small island that has access during low tide only.\n\nParking area is some 100 metre from the temple however there was a line of small market shops offering items for sale.\n\nThere is two areas to view the temple on just below the temple and another up a small hill overlooking the temple.\n\nLovely day today and it does look impressive.\n\nRecommended
(31) If you are a photographer would recommend this temple but make sure you check on tides so there is water making for a better photo. High in the mountain this temple a breath of fresh air you can take a walk around after you pay a fee these wonderful grounds. Lots of photos can be taken well worth a visit. Small markets are outside the temple where you can purchase drinks and some food
(32) You are entering a huge entrance. There are tour busses everywhere and a lot of people. This must be exciting and a huge happening! Well.. Guess NOT. you pay 50.000 rp p/person. And it concerns two miniscule temples. It was almost hilarious. The terrain of these mini temples is ridiculously huge and is filled with restaurants and shops. I just can't even.. Like, is this serious? Haha. Don't go there.
(33) The temple view is breathtaking from top, and the natural landscape is just too beautiful! \n\nYou have to wear a piece of cloth, which is draped around body, and it is provided there for Free. \n\nRespect the culture and religion and enjoy the view!\n\nP/S it can be realllyyy hot in the afternoon. So advisable to go in morning!
(34) Had a safe, roller coaster ride to Candy Kuning, Tabanan. That lake on top of the mountain struck me. It's an awesome lake believed to be sacred. The temple is built for the goddess of that lake as an offering. \n\nIts a water temple sitting 1200 meters above sea level. Lots of stores selling shirts and other merchandise; enough parking spaces for tourists and you could also hire boats to wander the lake.
(35) It is an okayish place to visit. Best time to visit - 2 hours before sunset.. so you can see in and around the temple and then experience sun setting in the ocean.
(36) Visited this temple with my husband and a tour guide whilst on holiday in Bali. It's a lovely temple on the lake, gorgeous scenery around it. It's not very big though, we spent about 35 minutes there but that was lapping it twice. Definitely worth visiting though, took us 1.30 hours from sanur. Grounds are well kept and if you get there early enough not too crowded either. Better to visit in morning as it can get foggy up there in the afternoon. (50,000 rupiah per person to enter = £3.50 ish)
(37) we have visited this temple in the middle of the week early afternoon- one of the most crowded places in Bali, very popular also among Indonesians. Despite of the crowds worth of seeing. Set beautifully on the lake shore with misty mountains in the background. Take a stroll around the complex and outside of the walls to enjoy the view fully and escape from the crowds. The only thing we disliked was a stand in the middle of the park which offered pictures with bats and eagles- stretching the wings for the pictures with tourists- totally cruel towards those birds/ animals as these should live free in their natural environment instead of being a toy for mindless tourists.
(38) A great heritage Hindu temple.West coast of Bali island. 90 mins drive from airport.A sweat water spring comes out from the temple base,and people taste the water as blessings.many restaurants are surroundings.few gardens with some cliff view.A must visiting place.
(39) This is where you will see the typical, Balinese tiered temple views against a backdrop of mountains...beautiful, but very very crowded. Worth seeing.
(40) You can spend a couple of hours at this location. As mentioned in some of the other reviews, the temple in the sea is easier to reach at low tide. We came at high tide so we did not walk out and get blessed. There were kites flying and there is the \Holy Snake' that is allegedly only found in this area. There were a lot of people and it was difficult to get some photos without people walking in front of you. So it is a tourist destination for sure. There were shops and as usual, restrooms were available but at a small charge so keep some 1000, 2000, and 5000 rupee coins/notes available. We enjoyed the upper temple grounds more than the lower ones. We saw a wedding party parading through the upper grounds which was quite interesting. You can walk quite a ways around this location so it is easy to spend either a little or a lot of time here."
(41) We were there during the CNY holidays, so it was fun packed. The sea breeze and wind fantastic. Didn't manage to go to the other temple.
(42) We visited this temple 11 years ago and were excited to return. It is as beautiful as ever but the market around it has really grown in size. Tons of restaurants and souvenir stalls everywhere that you must walk by to access the beach area. We were lucky that the tide was out so we were able to be blessed by the Hindu priests (small donation needed). We also saw the holy snake which was a sea snake in a hole under the rocks (small donation needed here too). Views are stunning and there are many camera angles to use. Off to one side there were 2 different men with giant pythons that you could touch, hold or photograph for a small fee. If you see only 1 temple in Bali, this is the one. As mentioned, come at low tide.
(43) We enjoyed taking family to visit the Temple for the first time. The beauty of its location and being able to go and have a blessing from the priests is always special. Whilst the pathway to the temple is becoming overcrowded with shops and others selling their wares it is still worth a visit whilst in Bali.
(44) We visited this temple in our last day in Bali. It's 50,000rp to go in, so not that expensive. This temple is on the lake and is often called the floating temple. It is a beautiful area. Great to take pictures!
(45) This place is beautiful and serene - it would be more of an experience with out the masses of tourists. I recommend going very early. It seems they have made this temple into a park as well - with boats you can rent and a playground for little ones on the side. We didnt stay long only 20 minutes because it was hard to enjoy as much with the crowds. Is a great place for meditation if less packed.
(46) A nice temple on a large rock, which can be reached at low tide. However, you can not enter to go up to the temple. There is also a cave opposite, which has a holy snake in it which can be viewed for a small price. There is a nice view of the temple and the sea from the cliffs opposite.
(47) Awesome views of the temple, especially when there's low tide. Definitely worth to pay the entrance fee
(48) The scenic views of the temple and shoreline of course are well worth the visit on their own. But the gardens and grounds leading up to the temple are beautifully kept and worth taking the time to explore. The markets are quite good too.
(49) We spent time with our family. This place totally great, adventure and very holy.\nI was surprice to saw the archeological was built long time ago including the holy water. Friendly monkey and cute.\nJust put your personal belonging in the safe place to secure.\n\nWill be back again. I recoment this place to everybody.
(50) Consider expensive place to visit if you are going with family with a lot of people. You can only view from outside. Surrounding there are a lot of shops selling variety of items. Nothing interesting.\n\nTotal cost / fees for the visit.\n\n1. Entrance : 60K for adult and 30K for children. See attached receipts.\n2 Parking fees for car: 5K.\n\nOverall it is a unique temple built on top of a rock near by the sea. You can go near to the temple during low tide. Recommend to visit once for experience.
(51) Go before the sunset around 5:30pm and see how amazing this place is, the cliffhanger temple blend with the stunning ocean background. Totally Speechless ! Really a must visit !
(52) Very beautifully located temple on a rock in the ocean. It was very busy though and the entrance fee is quite steep for Bali (60.000 rupees per person + 2000 for the motor bike). Nevertheless, we thought the views were worth it!
(53) Very famous rock formation Hindu temple in Bali located on the sea beach very known for sun set,we spend 2 hours,but not suppose to enter the temple,nevertheless we enjoyed sea beach and lovely garden and nice place for photography,we saw some coral fishes too,due to cloudy weather we miss sun set which is well known for this place.
(54) We visited with my family including and 9 and 11 year olds.We had a driver take us from Kuta at about 3 pm for the sunset and returned around 730 pm for $30 aus .\nIt took an hour to get there and the traffic is congestured.It cost $6 dollars per adult and $3 for kids.There is a stack of shops for buying the usual Bali stall stuff. The good part is most have prices so if you cant be bothered haggling and it is approx the same price.At the moment it is low tide at sunset which is great for getting across to the temple at sunset and getting photos. There is restaurants across the cliff face with great views and reasonable priced. You can also see lawaks and also have a lawack coffee for $2.50 if you like.It cost extra to go into the Holy cave a touch the holy snake if that suits you. Highly recommend this temple for all that are in Bali.
(55) It is an incredible area but crowded with tourists. It is easy enough. To find a spot for yourself to enjoy the temple, particularly at sunset. Such a spiritual area. A have to visit kind of tourist site.
(56) This temple is in the lake surrounded by mountain. We went in the evening to avoid the crowd. When we went, it had just rained. Clouds were low. We took some amazing photos here. Entry fee is 30000pp. A must visit in Bali.
(57) Visited this temple which amazingly located on a cliff at southern Bali, sunset view was beautiful, cliff view was amazing and impressive. Definitely a place to visit before consider yourself visited Bali.
(58) I did like the Temple area but there was lots of walking to complete the pathways on such a hot day. Definitely take water :)\nI debated about climbing the stairs to the main temple but when I did was disappointed to discover I could only go half way up.
(59) A small piece of Balinese culture located in such an incredible place! Amazingly built temples are surrounded by mountains and a lake. It is quite a long journey if you stay in south Bali but definitely worth a visit.
(60) We visited during noon, it was very crowded and i would say that there was nothing too special to see. There was a high tide so i don't know if in cases of low tide you can visit the temple on the rocky island also but we got to see it only from a distance and there really was not too much to see. I would say that the pictures look better than it is in reality.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) A temple at sea :) Very nice. I wish I had been able to go up to it. We stayed till sunset. They have a few stalls with tables and chairs, nicely situated to view the sunset. It was nice to chill out there.
(2) Try to get there early by 5pm to enjoy looking around then enjoy the beautiful sunset (around 6pm). There is space for picnics or food places around to pick up a bite to eat. Lovely to stroll around. You can walk across to the temple during low tide & you can get a blessing from the priests if you want to. \nThe views are breath taking especially at sunset and the atmosphere is pleasant despite all the tourists.
(3) The site is very scenic and very tourist friendly. The area has been renovated and arranged to be very attractive for sightseeing. If you are lucky you can even see people conducting ceremonies since it is still a temple that is still being used. \n\nBe patient though if you want to take a picture since there are tons of tourist around the site!
(4) Amazing view of the old temples with waves crashing at the bottom. If avoided during peak season - better - multiplies the experience.
(5) We arrived around sunset and the place was beautiful in the dying light. \n\nThere are two temples, the smaller to the right and the larger on the other side. Both are accessible, but you need at least an hour or two to explore them, particularly if there are crowds.\n\nIt is must see, we feel.
(6) A temple by the sea, but much has been eroded when i saw it 5 years back. You can walk around and enjoy the stunning views of the ocean as the sun sets. Good olace to buy souviniers and gifts at reasonabke price
(7) Although location of the temple is nice - on an island - it has been made into a real tourist destination with a lot of shops and restaurants surrounding the place. If you want to reach the island, be sure to check the tides, because you cant always go there. I assume it is always crowded.
(8) The view is very charming, many traditions or activities that can be done there, such as seeing snakes in the Cave, Holy Water, and aesthetic temples.
(9) It's Bali iconic temple where you can see beautiful sunset and buy souvenirs n gifts at average price at its market (you can get cheaper price somewhere else, but it's still ok).\nBy the way I suggest you to have lunch/dinner somewhere else, bcs there aren't many restaurants near the temple, and the ones that is available are nothing special (n pretty expensive). So you better go there with full stomach, or hold it empty until you go to another place.
(10) It is a beautiful complex, and although it is quite a ways out from the city, it is well worth the trip, especially around sunset. Be careful when going down on the rocks around the temple, quite easy to slip and fall, especially for those with large cameras.
(11) It's very nice scenery view point. The temple and the cliff are already present the history of Balinese. You can see a nice Sunset and enjoy the view in the evening here. It's a bit crowded for me but I have enjoy shopping here since it's many souvenirs with cheap price.
(12) This is probably the most famous temple in the island of Bali, and also the most visited.\nCompared to most other temples in this one the closest you can get is below the temple, you won't even get an idea of it unless you are Hindu and allowed in (unlikely).\nAlso the place is absolutely crowded of tourists. Not worth the visit IMHO
(13) I say it is good to be informed about prices, but other than that make your own experience visiting places. Most people see life through their experiences and mostly these are limited too! Make your life and remember “You are your own best Guru!” Dr Soul #drsoul We were supposed to arrive here for sunset and got there just in time to say goodbye to the crowds that were also there for the sunset. I must say, we were lucky! The crowds were gone and there were still a lot of people and we still got lovely sights and pictures of the area. We didnt get to go into the temple which was a shame. Make sure you read about temple hours before buying your tickets to any temple because now you pay to enter “a park” and the temple can be closed and they still sell you the ticket because its for the park! 😳😬🙏🏼 stay after the sunset if you decide to go for the sunset and still get a lovely view!!
(14) The first thing you need to know is it's very touristy here! Don't think you can pay for parking only and walk over to the beach and see the sights without paying extra because you can't so you might as well pay to enter the temple and parking is included. We got there for sunset but unfortunately high tide was imminent so we didn't get to go into the temple because we had stopped at all the market stalls along the way! Don't get distracted!! My phone also ran out of battery as we arrived, I took one photo and it promptly turned itself off but we were more concerned about how we were going to find our way home than the missed photo ops!! Luckily there was a selection of bars overlooking the temple that served a delicious Bali Cocktail so not all was lost!!
(15) Beautiful Hindu temple surrounded by a lake, takes around 1.5 hours from Ubud. When I visited, there was a ceremony going which was interesting.
(16) We visited this temple on one of the Hindu religious day and it was really busy.The best time to go one hour before sunset. The temple is on a rock in an island which is shaped by the tides. Sound of the waves is very refreshing. The sea is absolutely clean and reflects the blue sky.There are lots of shops along the road going to the temple from the entrance. This is a must visit and one my favorite place in Bali.
(17) Another Amazing Temple. Enjoy the views, cool off in the water and feast on a great selection of food at the market.\nDon't forget to say hi to the Snake ;)
(18) This is a lovely place to go and visit-a beautiful temple celebrating the god of water. The lake and mountains are lovely surrounds. However, go early in the morning or in the evening to avoid the crowds during the day. It gets so overcrowded there, you can barely take a picture without someone getting in the shot. Not exactly the peaceful place it looks on the postcards but I can imagine it is lovely if you get there before the tourists hoards.
(19) A very average place. You see little of Temple as its closed to visitors. Mostly ramparts on a cliff with awesome sea views. Pricey 100,000 rupee danse performances.\nBeware of monkeyes; 3 people lost their glasses to monkeys who seemight to adore chewing them. I warned a friend at hostal but he later went and returned minus his sunglasses. 20 out of 10 for monkey fun, but the temple itself was a 4 out of 10 let down for me.
(20) Wow! Simply Wow! The first temple is already a mind blow. I came really late and just hung out at the bottom temple and watched the sunset and amazing view of the mountain. Nobody was there. I came a second time and did the 4 hour trek off all the temples. I was exhausted. I started at 8 in the morning while it was still cool and no tourists. Amazing. There were ceremonies going on while i was there. Beautiful. This is one those places you must visit. Its gorgeous up there on this high mountain. Magical.
(21) This is a special temple but you can't do alot there. Apart from walking around it, take a few pictures, that's it. You need 15 to 30 minutes there and then you're done, well in my opinion. It's definetly prettier with sundown but don't plan a whole day for it. Easily to combine with other things. One negative point, it's always very crowded with tourist.
(22) Its so beautiful to see this temple. in the middle of a massive body water. Try to watch the sunset there. \n\nThe place also has more than enough food and shopping spots.\n\nRemember to bargain cos i got a lot of stuff at nearly 1/3rd the price quoted.
(23) The Gardens and Temple are really nice. Walk around the whole area and enjoy the tranquility. The lake and mountain in the background are breathtaking. However, like all other temples in Bali, you can't get in! You need to step into water or jump the steps.
(24) The most amazing views of Bali are offered here, and the temple itself is pretty. It is right on the water, and has a walkway from one end to the other.
(25) it was the first temple we visited that before getting to it our driver said: it's beautiful. he did not say the same about any other places, with such sincerity. the number of locals having fun at the temple/Park also tells you that it is something that they treasure. \nwe recommend going to this place, taking some time to go around the entire area. \nsome were smoking, which we found a bit disturbing to the area. \nsome groups were singing and playing. it might disturb tourists but if that is their way of enjoying their Park and temple, I am happy that they do it. \nthe lake was foggy and even more beautiful than I could imagine, since it gave a mystery look to all those buildings. \nwe just avoided an Are where we were the only two, and only one guy who was looking too much for us. probably an useless tourist fearfrom us. \nit was a great visit, do take the time to visit it.
(26) Im really in love for this place! Surreal, clean, amazing view ou the Temple. The whole way till the temples is decorated. One of the most beautiful places Ive ever been
(27) We saw a lot of temples (too many), but this was the first and maybe the best due to its spectacular setting on a little island on the coast. The waves crash on the rocks here and it is really quite stunning. When the tide is out you can walk across the causeway to the island. Apparently the sunsets viewed from here are also spectacular, but that means it is very popular and crowded at that time of the day so we went in the morning. Even so there were huge crowds of people at that time. This is a very popular attraction.
(28) This is a real Nice place, and also a must see when you are in Bali. A big temple area near the sea. It's a little bit walking in the water before you reach the temple it self. Unfortunately was the temple closed, so you don't get up at the cliff that's the temple area. We didn't find out before we hit the water. But beautiful area anyway, just sitting and watching the sun go down over the sea. It's very special.
(29) While this Hindu temple is beautiful and iconic, it is mostly a spot for tourists to snap the Heavens Gate photo you see all over the internet. The line to get said picture was two hours long on my visit, so I passed on the shot. While the view is beautiful, it takes a while to get to the temple and if you have a limited amount of time Id recommend prioritizing other things.
(30) This place is worth visiting. Sadly we are not able to cross over to visit the temple. Very nice water as well!
(31) This place is simply beautiful. The temples that sit on the cliff looking over the sea is one of the most famous tourist attraction in Bali. \n\nMust visit for first time visitors.
(32) This is the first time my partner and I have visited & we really loved it, the price wasn't too bad & the whole temple is really lovely. There's a bit of a bush walk for you to do, you can purchase food for the little guys to eat. And some of them are friendly and will come play with you, they also try to go into to your bag so if you have a lock I would take one with you. Toilet facilities are great, & the whole place is just lovely & great to see even if it's just once.
(33) The ancient Hindu temple is majestic sitting out on the point of the shore line and beautiful whilst watching the sunset behind it. If you can find a quiet spot to enjoy it. Very crowded to the extent tourists looked like ants - if your guide recommends the better times its probably worth missing the sunset - depending on how you like crowds. Lots of shopping nearby so leave plenty of time if you havent had the chance before.
(34) Nice temple to visit when you have the chance to pass by. I wouldnt spend a daytrip on this. Its very busy and besides the pictures you see everywhere there isnt a lot to see. Ita very hard to get a good picture without people on it. \nWeve visited while we were on our way to Ubud from the south so it was a nice break.
(35) Before traveling to Bali, I'd seen pictures of this place and was so excited to visit on our tour. Upon arriving, the temple was completely packed with tourists, and the views looked nothing like the pictures. It was quite disappointing and hard to take photos as it was completely packed with people. We visited the buffet around the corner which was even more disappointing and the food was terrible. I would skip this on your visit to Bali and visit another temple if you can.
(36) Interesting experience. Beautiful sea side location once you get through to the temple. Several people visiting but not overwhelming. Worth visiting if you have transportation as is far from anything else.
(37) I found this temple quite catching as it is like nothing Ive seen before. It is incredibly beautiful built in the 16th century. Would defiantly recommend coming here.
(38) My wife and I were tantalized by several of the most spectacularly beautiful and exotic photographs in (and on the cover of) our Insight Guide to Bali, and wondered if we could figure out where they were taken so that we might visit the place in the photographs. On our way back to Ubud from Lake Tamblingan, our hired driver suddenly turned off the road and, unbidden, drove us to the parking lot for this temple. As soon as I figured out where he was taking us, my wife and I got very excited. We both realized this was, in all likelihood, the very location where the spectacular photographs in our guide book had been taken.\nIf you are in the area of Lake Bratan, I cannot recommend highly enough that you take the time to visit this temple. The only conceivable drawback is the volume of tourists and foreign visitors with which you must contend. I would recommend coming earlier in the day, before the hordes. At any rate, whenever you come, it is worth it. The lakeside location of the magnificent temple compound adds immeasurably to its beauty.
(39) We visited with a friend on a Saturday morning in November. Place was quite busy with tourists. The gardens were very beautiful with lots of blooming flowers. The temple looked simply magnificent, and even though it was very low tide the clouds on the mountains provided a stunning backdrop.
(40) Very picturesque temple and surroundings but beware the hordes of zombie-like tourists wading through it's bathing pool reminiscing scenes from an Indian Jones flick!\nMuch preferred it to Besakih - The Mother Temple, mind.
(41) A really beautiful and sacred place. Get there early if you want photos of the beautiful valley below. Very relaxed and genuine Balinese cultural experience.
(42) The temple sits on a large rock by the ocean. The rain has just stopped when we visited and it was cloudy the whole day. The seawater was not clear due to the heavy rain and it was high tide so we did not manage to walk to the temple. Our visit could have been nice if sun was up.\n\nThe place was really crowded despite of the bad weather. I would suggest if the villagers or in-charge of the temple must assign some volunteers or must hire staff to control the tourists. There was an instance where in one of the tourists was near to fall by the edge of the rock just to take her photo. There was a closed area due to high water level but some tourists still went beyond the warning sign and the rope just to take their photos which i found very dangerous. \n\nThere are locals in the area who will offer to take your photo using their own camera for souvenir. I was surprised that there's a residential area right beside the temple. The owner of the house is so blessed to have that kind of view everyday. There are plenty of souvenir shops inside the vicinity of the temple at the parking area. There are plenty of local food stalls as well. \n\nThe temple has an entrance fee of 60,000 Rupiah which I think it's not worth it. Yes, the location of the temple is one of a kind but the view in Uluwatu Temple is very impressive and incomparable. Both temples will have a view of the sunset but Uluwatu will always have a beautiful view whatever the weather is. If you will visit Tanah Lot during a rainy day, you will not have a nice scenery. All big waves.
(43) Unique temple set on a sort of island in the sea which one can access during low tide.. the walk over the rocks covered with sea waves to reach the temple is an unique experience. \nThe temple allows you to offer your prayers with minimal paraphernalia..\nIdeal time to reach 5 to 7 pm
(44) Come here and walk up the hill to find a great spot at a cafe overlooking the ocean and the temple on the rock. The view is truly beautiful. Have a drink and soak it in as the sun sets. Some brave souls cross the slippery rocks to enter the temple, but it seemed much too dangerous as the sea is rough.
(45) Loads of sovenirs shops here selling unique Balinese items, loads of food and drinks shops here and the beach and Temple is unique here. You can walk to the Temple when the tide is low but it's not recommended to go to the Temple when the tide is high because of the current but you can go at your own risk and the Temple people will help you get across to the Temple.
(46) The temple was not really that impressive. We liked the bat temple( goa lawah) or Tirta empul better. Lots of tourist wanting to take the same picture between the two walls. Waiting time at 9:30 +2hours
(47) This is a must do and the following tips will be helpfull :\n- We stayed at Nusa Dua and you can complete this trip in 3-4 hours. One way drive is around 45 minutes - 60 minutes\n- You dont need a full day rental car! We look a metered taxi from the hotel and asked him to wait for us at the temple parking. Including the waiting charge, the trip cost us IDR 350,000 (around $30)\n- Obviously sunset is the best time... we did not stay for the evening dance but we left at 3pm and were back by 6:30pm\n- We were scared of the monkey menace but we faced no problems\nWe paid at the gate and walked across all the cliff fronts and clicked some of the best pictures
(48) Very popular and busy, interesting temple right on the water. Different to other temples and although you can't actually enter into the temple proper there are interesting aspects to see on the walk around. PS look out for the hedge owls!
(49) It is a very famous temple in Bali so a bit crowded but worth to visit! We also find there a small shop selling paintings (the young girl said it was her uncle's paintings) - good price and nice artworks!
(50) this place is one of Bali iconic destinations. nice scenery, cool weather, and lots of object to take pictures. But sometimes the lake is low tide so the temple is not always surrounded by the water. They also have Buddhist temple inside the park. also surrounding by nice tall trees.
(51) this is a must see in Bali. To see this temple on the rock surrounded by water is amazing. a very humbking experience
(52) Probably the best place to catch the sunset n moon rise in Bali. It is packed with tourists but the background of the ancient temple at the edge of the Indian Ocean makes it worth the trouble of making your way through the crowd. The souvenir shops have some really great arts n crafts-sold at tourist prices of coz. Bargain, but not much as these guys work hard for a small profit. Get ur local guide to get a good price but know that he too is depending on a sale commission from the vendors. For best buys, either go very early or when the shops r about to close. No one likes turning away the first/last customer of the day.
(53) The temple is small but surrounded by the lake water. During sunny days it is worth a visit. Quick..
(54) The temple was unfortunately not open due to high tides. But overall the setting was really good. While we waited fir the sun set. We took few photos with the waves hitting the shore.
(55) Scenic temple with wonderful views over the lake.\nBest seen before 10am or after 4.30pm when it is far less crowded and when the lights are at best.\nThere are also games for children, including sculpture of animals that they like to climb onto.
(56) This temple on the lake with mountains in the background is a magical place to visit.. quite a good garden around too..
(57) This is one of the most beautiful temple in Bali, located at the edge of Lake Beratan and cool climate, make this tourist object attracted many visitor, not only the foreigner but also the local visitor. This object is still favorite in Bali.
(58) It is still a must see in Bali although I didn't do myself any favours with this. I had heard that it was very crowded at sunset and the associated traffic was time consuming so we went during the day. There wasn't much traffic but there were still a lot of tourists and it was also high tide meaning that you couldn't get right to the temple and the tourists are confined to a smaller area. It is very commercial around the temple like many attractions around the world. You can see the sunset over the water anywhere along that coast so if that is not the most important thing to you my best advice would be to check the tide times before you go.
(59) Not to be missed but this place is one of the most famous place travellers must visit in Bali Island, This Holy place is actually still an active Temple for Balinese Hinduist for praying and ceremony, For the best moment to visit this place is on sunset time or if you lucky there will be a ceremony and some cultural attraction that brings a value you will never see in other place....
(60) This is the temple you see on lots of photos of Bali. It was one of the busier ones we visited but it's set in such a beautiful location and the grounds are immaculate. You couldn't spend a whole day here but it's lovely to walk around for an hour or 2. It's approx 15,000 ringgit each for entrance.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) Nice view from the mainland to the temple but the view is more of the rocky island than the actual temple.. Very warm and extremely busy so go early.\nCould do with some well maintained modern toilets. Plenty of souvenir shops and cafes in a nice setting.
(2) One of the highlights of the trip was the magnificent temple by the lake. Look so tranquil and relaxing. Better bring a light wind breaker since it can get quite cold up there. Worth the visit !
(3) Site itself is stunning but that's more to do with the location rather than the temple. Temple is ok but large sections are inaccessible to the public (I do agree with this however). Getting a taxi out of here is a mission so prebook or bring your own wheels.
(4) Temple is beautiful\nI wouldn't recommend driving hours to see it, but if you are in the region it's a must-see. the lake is gorgeous and the temple just looks so peaceful. We only spent about 20 minutes here though. Would have liked to spend more time by the lake just taking in the view but others were in a rush.\nAside from the temple there is definitely your typical Balinese hagglers and scammers and sellers. There's even caged deer which I found weird? Almost like a random zoo in the middle of the temple area? Odd. \nAnyways, like I said, beautiful temple and if you have time and want to visit a lake and just have a relaxing day, go here! There's courtyards and grassy areas that would be perfect for a picnic!
(5) Overall you can only see the temple from the ground and cannot really climb the rock. There are several cultural buildings you can walk though for nice photos.\nYou can receive a blessing from the springs for a small donation was was a nice experience.
(6) For me this is the most beautiful temple in Bali. It is very scenic and it has been the front page of Lonely Planet and other travel guides. For sure it is a must in your Bali experience.
(7) In bali, one is not allowed inside the temple premises. So its more like visiting the beach. Overall its a beautiful place. Best time to visit is late afternoon so that you can see sunset. It is something not to be missed when in bali
(8) Breathtaking views and a lot to see around the temple. As with all temples, a rental sarong is included in the entrance price. \n\nWorth doing a half- day trip down stopping at Jimbaran Bay for seafood dinner.
(9) This is one temple which can be easily accessed by old and kids...you dont have to climbsteps,walk too llong etc. The location is quite scenic,but mind it its a bit cold and windy area. Better take a light jacket.
(10) The place is really crowded. But this is a beautiful temple with breath taking view specially the sunset.Please wear something which you can fold till knees as one needs to walk in water to reach the cave on the beach. The priest put frangipanni flower on ears , rice on forehead and one can wash their face with the holy spring water in the cave. It feels great to experience how fresh spring water is available here when it is all surrounded by ocean.One can give donation if you want but you are not forced. It is believed that turtles and snakes guard this temple.There is a snake cave also but the guard was very rude and demanded we give donation before entering to see the snakes hence we avoided this one.There is a big market outside but I preferred shopping elsewhere as one needs to do a lot of skillful bargaining here .
(11) Well organised tourist attraction, but in typical bali style its set up to take as much money from you in as little time as possible. From the car parking fee to the entrance fee to the long stream of overpriced markets to the guides and hawkers when you make your way to the temple. You pay for your blessing and expect to see the temple, but you cannot go up to it!. \nWell at the end of the day its a temple built on a rock that you can look at from a distance. There are many temples in Bali, albeit this is one of the more picturesque
(12) If you have a hat, hold on to it! Lots of wind here. Great place to visit. You can also cross to get to the temple if you like.
(13) We went with a private driver. Very beautifully situated up on the cliffs overlooking the ocean. Well worth visiting. Although you don't see much of a temple, it's more like a concrete building then the temple you cannot see as it is for people praying only. We went and did the Kecack show after which was interesting and beautiful watching the sunset behind. We left after about 35 minutes as it was quite repetitive and very similar to Thai dancing.
(14) High up in the mountains with a lovely lake setting.\nThis was very picturesque and the gardens were lovely.\nSo relaxing looking at the views across the lake.\nRestaurant and shops.\nThis is a must visit temple and it is very high up in the mountains up the winding roads which get very busy.\nThe views from the road were very nice seeing the padi fields and scenery
(15) Beautifully tranquil with a guide who explained all the sections of the temple. Will definitely recommend this to others
(16) The view of the temple is worth a glance. You won't be allowed to go in anyways, as all bali temples are known to be prayed from the outside. The architecture is usual but the location is good! The sunset is good but not great! But don't shy away from this place as the shopping is the cheapest in the entire Bali. Bargain to half the price they quote or even lesser sometimes! You will mostly get all the things you can buy in bali! Don't miss! I had to go back to this place at the end of my trip to Bali to shop!
(17) This was the third time that I visited this temple complex and as usual it was interesting and serene.\nThere was some construction being undertaken at the time which interfered somewhat with the accessibility of different areas but not a big deal. The carpark however requires some immediate attention but again this was more of an issue for our driver than for us.\nOn this visit an enterprising person had brought along a 5 metre plus Python with which photos could be taken (at a cost) and this appeared to be a rather popular attraction.\nThe Temple which is reached by a causeway is always popular and now that the path has been upgraded and made safe ( it was an accident waiting to happen previously) even those less mobile can easily make a visit.\nThe views are wonderful and rather spectacular on a clear sunset evening.\nA must place to visit!
(18) Beautiful temple to visit. Can get pretty crowded during peak seasons. Sunsets are awesome here. Lots of restaurants and cafe nearby. Best time to visit is during low tide when the temple is accessable.
(19) After staying in Ubud for 5 nights and this being my only destination in Bali, it was lovely to come to the water for a sunset visit. I arrived around 5.pm with my driver Ketut and although there are a large number of market stalls to wander through, we headed down to the water to see the temple and rock formation in the ocean. \n\nWe headed down to the water and got as close as possible to see the temple, taking lots of photos then sat up at one of the restaurants where we relaxed had some drinks and satays and waited for the sunset. This was a worthwhile trip, had some great photo opportunities, lots of people around but plenty of places to stand to take photos and there was also a large grass area with shade whilst waiting. \n\nAlthough an hour and 20 min drive back to Ubud, worthwhile visit and a great end to my 11 hour day touring Bali with my own car and driver, thanks Ketut...
(20) This temple is one of the must visit out of many temples which are in Bali. The temple has a nice location close to the sea and infact its surrounded by water during high tide.\n\nThe place is crowded most of the time in and around as there are few other smaller temples in the area. If its bright and sunny you will get stunning pictures during the day as well as an extremely beautiful sunset.\n\nTip- Don't hesitate to rope in the local photographers..they charge 2 dollars a printed picture but would be happy to help you with your camera as well.
(21) i liked the temple but then again you do get filmy crowds to take Instagram pics but ya there is a feel to the place
(22) What a beautiful place. Loved the garden and the temple and the scenery. It was cloudy and almost raining, and really green in that area so all the colors popped out and made for a really beautiful visit. It's not close to Ubud but we stopped here en route to Java. So we didn't have to worry about \is the drive worth it\" because we were passing by anyways. Beautiful place."
(23) The temple provided a rich Balinese experience, and amazing spots for photos. It would be best to visit when there are less people as some pathways on the cliffs become quite narrow.
(24) We loved this place. A great spot to people watch with beautiful setting like a park and 2 temples. We braved the incoming tide to get blessed with the holy water, the priest put rice on our forehead and a frangipani behind our left ear. Yes, we felt like we were locals. Skipped the Holy Snake!
(25) Beautiful place to take photos at and admire at the architecture of the largest temple in Bali. However, the queue to take photos at the Gates of Heaven is super long, having arrived at 7ish am but we're already the 120th in queue is simply crazy. We've waited for more than 2 hours for our turn. Also, the photographers used some kind of 'mirror' to create the reflection effect, in real life the ground in front of the Gates is dry. It is still very instagram-worthy though. \n\nSo what was so different from the mediocre touristy experience at the temple is that we actually got invited INTO the temple (usually off limits to tourists) by a very friendly local priestess to experience the Balinese religious ceremony. It is very quiet and tranquil inside and you can take part in the ceremony. She also gave us a short account of the history and setting of temple which is very eye-opening. \n\nWould give this place a 3-4 star just for the Gates of Heaven but the ceremony is worth 5 stars.
(26) Culture and nature come to a clash at this classic temple on the verge of falling into the ocean below. Rp. 30,000 entry is nice for what you get from it. Good views but a fair drive.
(27) Outside of the range of most day trips this delightful, magical temple in a crater lake is captivating. Just perhaps the most beautiful in Bali.\n\nThe scrum of the vendors is kept on the other side of the parking lot. There are large gardens facing the temples, and a few more temples in the gardens. There is even a small enclosure with some small deer in the garden as well.\n\nI didn't allow enough time here. I would have liked to have spent more time just enjoying this lovely setting. It's slightly cooler than the lowlands and it's very comfortable to be out in the sun.\n\nThis would be a great place to spend an overnight at one of the hotels nearby on the way to the north coast. It would have been fun to rent a small boat and see the temples from the water side. There's also a large botanical garden nearby, so you could budget a day here.
(28) Went to this Temple expecting to be able to see a traditional Temple a little closer. Crowds were massive, we lined up at low tide to cross to the Temple, made a 'donation' to 'enter' after receiving a blessing,took three steps up to enter and.... THAT WAS IT'. Tourists cannot enter. \nFar better to walk the up the beach to the point and take photos of this large Temple. \nGlad we went regardless of no entry and a 'donation'
(29) Another unique place in Bali. A temple on a rock!\nOn a pretty piece of coastline. Unfortunately, like most of Bali, it is full of shops on the approach which does spoil the experience a little. Still worth a look. At low tide you can get to the temple rock, but when the tide is in, this is a risky challenge.\nCan be very pretty at sunset, if there is no cloud or haze, when the sun \sinks\" into the ocean, but that is also the time when most people want to be there.\nExiting after sunset is a chaotic and slow, peak hour traffic jam.\nHaving seen a sunset there in the past, this year we left before sunset to avoid the crush."
(30) Wish we didn't waste our time going here. There is not much to see. The temple, a few shops and restaurants and vendors is about it.\n\nIf you see pictures of people actually climbing to the temple, I don't know how they did that because you can't. You just see it from a distance but you can't get very close at all. \n\nThere are some restaurants, may be nice to have a meal over looking the temple. \n\nI was excited to see this but very underwhelmed.
(31) This is one place that you shouldn't miss out if you're visiting Bali. The temple is set at an amazing location, at the edge of a huge cliff overlooking the Indian ocean. You get amazing views at sunset.
(32) We decided to add some culture to our trip and visited the Temple, soul food!
(33) The temple has build around 11 centurys ,if you like to see sunset you can go this is place with your family,friends.
(34) Six different temples. First and fourth are the best ones. Quite a bit of walking but the nature is really nice. We meet a big group of Hindus and they were more than friendly with us and explained us about everything.
(35) With a very large park/garden, which is uswd for recreational area, place has magnificient temples on the see. Additional to hindu temples, there are places for budhist. Take to your list if you are in Bali.
(36) To be honest i initially got a shock. The market there is huge now..the shopping is great, check it out on your way out. The warungs on the cliff dont seem to have changed..still nice though simple food and cold drinks..and that wonderful view! This temple has such a serene quality about it especially if you let yourself relax up on the cliff and enjoy the breeze and the view. Loved it 30 odd years ago, still do.
(37) We went there around noon. It was sunny and lots of people were enjoying the place. There is a big park at the entrance. At the end there is an ocean and temple on its side. Its a beautiful temple, with quite unique architecture. The temple was closed, only opens at big ceremonies. But the ocean side view gave it a different look. Though there was not much to do, but it would have been more beautiful at sunset or sunrise. Outside the temple lot of souvenir shops are present and many things to do. We liked it.
(38) Disapointed I expected something different, the natural view is nice but the temple has disapointed me
(39) We stopped here at the recommendation of our driver as we were travelling to the north.\n\nThe temple was so beautiful and grounds a lovely walk. We managed to be there at a quieter time but I do hear it can be very busy but the buses tend to arrange in the late afternoons. No need cover up as you dont actually go in the temple just view from outside.
(40) Its one of the best sunset point you can ever see. Standing on the edge if sea, where wind blows swiftly and then the amazing sun is setting off the shore just let's the eye have its best treat. Highly recommended for photographers n sunset lovers. The temple is also very nice. You can get a glimpse of Indonesian Hindu tradition near the temple.
(41) We visited the temple today although it was good but not allowed to go in until you are a believer.I was told can't go in if high tide but not true nothing to do with the tide it is all about being of the faith so visit was pretty sure.Our guide also bored but constantly mentioned his poverty and how local currency not good
(42) This is a really special temple. If you are vaguely in the area I wouldn't miss it. But no need to stay long. You don't need more than 20 minutes at this destination.
(43) A pay to enter place but well worth it. Time the tides if you want to go across to the temple. Views are great and a wonderful place that is worth the walk about.
(44) We went to this temple on the way back from the Colek Pamor waterfall. This is one of the most gorgeous temples we saw in Bali. The architecture is magnificent. The background is majestic. The water in the lake, the temples reflecting in the water, the clouds in the background all make this a beautiful peaceful experience.
(45) Best sunset, holy temple, this place \nMUST VISIT when you come to Bali! \n\nIve been here few times and I never ever feel bored, I can come hereeee anytime just to see beautiful sunset ever!
(46) We had a lovely drive to the temple. After reading many reviews it was a must on our list.\nIf you are visiting Bali I would say it is a must to see. A well laid temple area at the side of the lake. the gardens are nice and we enjoyed our visit.
(47) Very enjoyable temple visit. Felt safe and unpressured by hawkers. Beautiful backdrop of mountains in lake. Hindu temple overlooked by a small mosque. Strange plastic swan boats etc for hire but nice seeing locals in lace and sarongs actively using temple.
(48) Really loved the sight of this temple, it looks so tranquil, unfortunately super crowded with tourists.
(49) Absolutely gorgeous. \nThe lake is massive and the temple is well placed in beautifully manicured gardens. \nThere are toilets but you have to pay a small amount to use them. \nThere is a restaurant with a children's playground. \nWell worth the drive... \nIt has a small fee of 30.000 Rp for entry.
(50) We visited this holy place of worship on recommendation and we're pleased we visited. The journey from our resort in Nusa Dua was long on account of the narrow roads on the island & the volume of traffic, but once there, it was worth it. \nThe temple which is hundreds of years old, is constructed on an outcrop of rock, which can only be accessed when the tide is low. \nAlthough others on this site have reported it to be touristy, please don't be put off by this. We found no aggressive beggars, only local traders selling the usual things one would buy. \nThe view of the temple was awesome and we imagine it's even better at sunset! \nWell worth the journey and our driver was gr8.
(51) This was such a peaceful and beautiful place to visit. We found that there are villas near by and would definitely consider staying there if we go back. The temple is beautiful and the garden and grounds are amazing as well.
(52) Went to check out the temple and the view on a Thursday about 4pm. We were planning on staying for sunset but there are sooo many tourists here, you can barely get close to the temple much less inside. We stayed for a few pictures but left before sunset because there was no place to sit and the restaurants were packed already with tourists staying for sunset. Would love to see this place with fewer people but too touristy and commercialized for my taste.
(53) We were so impressed with the beauty of the temple and the cliffs around. The high tide made it look like an island . so pretty
(54) These temples were nice to visit. One temple is perched on the lake and is very scenic.\n\nThere was also a ceremony in progress when we visited so we were able to observe lots of local men, women and children attending the temples in traditional ceremonial dress. \n\nPlease be aware two women approached us in the parking area and tried to sell us sarons, which they claimed we must buy and wear to enter the temple area. This is not true. If sarons are required, they will always be provided with the entry ticket at no extra cost and they were not required at this temple.
(55) Really don't know why this seems to be 'must see'. Our hotel advised us to go for sunset, and the number of people just made it crap. It is beautiful cliff top location, but you can't actually go into any of the temple areas, and the strategically ugly lamppost, makes the idyllic cliff top temple look like a knackered bus stop. We got straight out of there and cracked open a Bintang in the car park, while we waited for our taxi.
(56) Beautiful cliff side temple with amazing views of the indian ocean. id advise to come early in the morning or in the evening to avoid the heat and humidity.
(57) This was a fantastic temple to go and see! I highly recommend checking it out. Fantastic temple with great picture opportunities! There are restaurants around this temple outside and is very unique!
(58) With entry ticket of 20K Rupiah (at the moment that i visit this place), you better not miss this place. Unless you are woman that have menstruation cycle period, this place is must go if you visiting Bedugul. The temple here are exactly same as in 'old' (previous) 50K Rupiah Banknote, that is so beautiful.
(59) Temple is beautiful\nI wouldn't recommend driving hours to see it, but if you are in the region it's a must-see. the lake is gorgeous and the temple just looks so peaceful. We only spent about 20 minutes here though. Would have liked to spend more time by the lake just taking in the view but others were in a rush.\nAside from the temple there is definitely your typical Balinese hagglers and scammers and sellers. There's even caged deer which I found weird? Almost like a random zoo in the middle of the temple area? Odd. \nAnyways, like I said, beautiful temple and if you have time and want to visit a lake and just have a relaxing day, go here! There's courtyards and grassy areas that would be perfect for a picnic!
(60) As one of the places recommended to visit on any guid of Bali this temple does live up to its recommendation. \n\nThe grounds of the temple are very nice and clean and spacious, although given the sheer number of tourists it can get crowded. \n\nThe temple itself is very nice to look at and take shots of. I would advise looking at the weather before you go as it can be obscured by fog and mist rolling of the mountains into the lake if the weather is poor. \n\nThe fee as of writing this was 100k IDR

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) For what you get the price isn't really to justify! It was the most expensive temple we've visited but not worth the price. Super crowded as well. If you have to skip a temple - than it can be that one!
(2) This was a beautiful place to visit, weather was cool, and nice breeze. A lot of tourist at this location, but worth it to see a piece of Balinese Mythology. It was a temple to pray to the sea gods, I believe. \n\nThe temple is a rock formation in the sea built by fisherman. Its amazing how the path to the temple disappears during high tide, leaving on the temple. I only took pictures from the top, because I could see many tourist already walking to the temple. Beautiful scenery.\n\nI believe the cost was 60,000 Rupiah ($4 USD) Parking was 5,000 Rupiah ($0.36 USD).\n\nThere are shops and food at this location. Nice tree art on the way towards the temple. I was approached by some young girls selling Frangipani hair clips and magnets, which I did purchase. \n\nIf you travel to Bali, you should stop by and see this place. Breathtaking.
(3) This is a beautiful temple at the edge of a large lake. Very picturesque. We found the place very cool and tranquil. The temple does look like it is floating and can sink.
(4) Ina sunny day the whole atmosphere was pleasant. You can have a top end view of the sea and the ancient temple and get down to have a closer view. The garden is worth seeing.I came in the morning, and feel that I should have been there at the time ofsunset to.
(5) It is a very beautiful place to visit.We have to walk on the rocks in the ocean to visit the temple.It was a high tide day,so we missed this.But the sound of waves and cool breeze made this place...a wonderful place\n to visit in the evening.\n.
(6) Stare at it. It does look like it's floating on the lake. Look at your 50,000 rupiah note. Yep, same temple, same view. What's not to like. This is a must see venu, you won't regret it. I highly recommend it.
(7) One of the best places to visit in Bali. Very wonderful place. Temple and sea, beautiful view. Keep 3 to 4 hours spare for this lovely place.
(8) This is a definite must must on you list to see in Bali. The location on the edge of the cliff is Wow. The views of the cliffs just amazing and stunning. We arrived after 4pm and it was hot. The bonus was seeing the dance at sunset wow just beautiful and was well done and interesting all the performers were excellent. After visiting many temples this was one of the best and extremely value for money.
(9) Went for sunset, too many people and selfie sticks! Could not get near the temple or a clear photo but enjoyed sitting back and people watching. Tip: try and choose a quiet time (not sure when that is)
(10) As stated by others, a very popular tourist attraction. We arrived in time to see the sunset behind a very large cloud. I would reoommend you arrive an hour before the sun is scheduled to set so you can actually see the unique features of the temple.
(11) This temple is one of most famous tourist attractions in Bali. The temple is located on the rocks, it will be separated during high tide. Becoming famous because of the sun set....
(12) Very beautiful view of the temple by the seashore. Temple is built on the rocks projecting into the sea.
(13) We arrived at ~9 am at the temple and there were already thousands of other tourists.\n\nWe decided to walk along the cliffs and after 10 minutes we reached a abandoned golf course. There you can take a walk and have a very beautiful sight over the see. You will be the only tourist in this area.\n\nPoorly the place was bought by Donald Trump and will soon be a big hotel complex.
(14) This temple was my absolute favorite temple that i saw while in Bali. The temple is situated in the ocean and has stunning sunset views. You can be blessed at the temple where they put the rice on your forehead but be careful of the religious men who can lead you off to help you take photos but then follow you around until you give them money. In low tide you can walk out on to the rocks for an even better view. There's lots of markets leading up to the temple and it can get very busy around sunset. It is on the more expensive side for entry but its defiantly worth it for the view.
(15) Was so good to see the temples in person and tick it off the bucket list beautiful part of Bali rich in history and tradition
(16) It is a Hindu temple in Bali. More possibility of being a Shiva or Vishnu temple. Entry to temple is not allowed. But priests outside worship Vishnu and snakes. However, apart from the mythology the key attraction is the location and the view. It is by far the best beach sunset point I have visited. \n\nThe natural rock formations, the sea and the sunset collectively give a perfect picturesque landscape. It is a eyecandy for sure. \n\nthe temple is on a single huge rock on the edge of beach. As the sunset nears, the sea tide covers the beach and the rock appears to be standing tall in the sea then. It is a natural marvel.\n\nI wish I had got chance to see the temple from inside also. But whenever they do open it, I am for sure going back to this place.
(17) Must see for all tourists at Bali. You can miss all temples except 2 and one of them is Tanah Lot. I was amazed at the view and enamored with its serenity. \nOne can reach there by 4 pm. Do a little bit of shopping if you like first as the shops begin to close soon after sunset. Bargaining is a must. Start with a 70% discounted price on the offer and increase the price with capping it at 60% of the offer price maximum.\nIt is beautiful at sunset. Of course you need to find a quiet place for yourself with all the bustling tourists and vendors around you. There are no idols in the temple though. The temple on the cliff and the seaside is simply alarming. I wondered what an experience would it have been in the days when the temple was functional.
(18) Ive seen pictures of this temple and it was stunning. Was a bit disappointed when i got there as it looked so run down. I wont deny that it was a nice sight, but i feel it was deserted and empty and that made it look kind of sad. Its probably better at festival times
(19) A great place to visit, especially if you love wild life.\nAmazing temples and sculptures throughout.\nGreat experience.
(20) Arrived at sunaet, place was crowded with tourists when we reached and since it is low tide, the foot of the temple was little with tourists and difficult to take a picture. Maybe better to go in the morning when it is high tide
(21) Second visit in less than a year , the lake view is priceless , grounds are well maintained and temple looks amazing
(22) This temple could be very solemn due to location. Center of a lake, and surrounded by mountain ridge... however due to the hored of tourist... it has lost its tranquility. You can't get a nice shot of the temple, and the surroundings... and it is just too noisy.\n\nMaybe if you visit during off peak. Then you can tell me of your experience.
(23) The Temple are in the middle of lake.. \nA beautiful scenery around the lake, and they has a big garden with many statues this place is worth a visit,,but better choose peak season on the week day.. \nThey are so crowded
(24) The temple and surrounding grounds were lovely. We spent a few hours walking through the park areas and taking pictures. It is definitely worth the trip. \n\nTip: arrive as early as possible. The tour buses start unloading around lunch time and the place becomes mobbed. Luckily, we got a couple of hours of light tourist traffic beforehand.
(25) Well, the location at the lake is just great. And the temple is beautiful, although run over by tourists and asking quite an entrance fee.
(26) This temple is one of the most well-known, and therefore one of the most popular temples in Bali. It is well worth visiting, and there is plenty to see, but it is also often very busy and a little crowded, though this does not detract too much from the interesting insights into Balinese culture that are on offer.
(27) There's a playground in the Temple complex. I like to play there. I saw some puppies, temples, and boats.
(28) The temple was very impressive. Unfortunately, we were there during high tide and didn't have the opportunity to get close to the temple. Nevertheless, the views from the shore were pretty impressive.\n\nWhen you arrive, there's a bit of a walk to the temple and this was lined by vendors. We did a bit of shopping there and everyone was very polite and friendly. Once at the temple, we took some great pictures. You can walk around the grounds, which were also quite lovely and well maintained. The the left to the temple are a series of restaurants, where you can grab a quick beer and bite. I imagine this would be a favourite spot for people to watch the sunset. We were there during the middle of the day, so it was pretty empty.\n\nWe didn't have a guide, so if you want to know more about the temple, it's best that you read up on it or have a look online. There weren't any tours or guides at the site to help orient us to the temple's history. There were a number of photographers, who took photos and printed them for you at the site. Since we didn't hire them, I don't know how much the photos were. They did seem to know the best spots for photos and some of the pictures I saw were really nice.
(29) Love this Temple in the midle of the sea wonderfull view histories and location but the axcess is absolutly terrible paid all the time, must cross the market with 1000 request questions almost agression to buy the local souvenir guide etc.... fare to be spiritual but only comercial nice to see one time only....
(30) 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.
(31) It is the the most magnificient temple. You can find very informative guides in the entrance. They give you sarong it is a religious rule and you should wear a top that can cover your shoulder (women). We also had a great chance to enter the inside to pray and offer to God in Hindu belief :) unforgettable moment!
(32) Beautiful temple on the rocks in sea. The temple doesn't allow non Balinese inside. You can have a nice view of temple with high tides covering and splashing the rocks. Good place to click pics along with.nice local market along it ,to buy handmade stuffs and paintings.
(33) whoever came up with the idea of adding western cartoon characters and stuff that have nothing to do with Hinduism should reconsider how tacky this temple has turned into. This serene place with religious significance with mountains and a lake as a back drop could have been enhanced with more Bali-inspired art and architecture. After all, tourists come and spend money to see BALI. Travelers like us yearn to glimpse the soul of BALI. SpongeBob SquarePants!?! Really???\nParking 5000 IDR/vehicle. Entrance fee 100,000 IDR/person + pay for toilet.
(34) A magnificent temple rest on a big rock just a few meters offshore. Best time to visit is during low tide (afternoon). Sunset starts at 5:30 to 6:30. The sunset view in this place is outstanding. after the sunset, there is a fire dancing and it lasts one hour.
(35) The views from the temple are amazing. The sunset itself is great but it is absolutely packed. I would not recommend to go there. If you go to a quiet place along the wall, try looking into the coral in the ocean. If you are lucky you spot some giant sea turtles!
(36) Went to this place today and spend about 20 mins walking around during sunset. It's nothing THAT special, truly over rated. \nA tip for visitors of this temple, make sure you use the bathroom before you arrive at this temple because you'd have to pay to use the loo PLUS it's not a proper loo, it's a squatting loo with no running water. There's also a good chance you won't have toilet paper in there and the locals would find you fussy if you asked for some!!!!! You'd think they'd invest in a landmark that attracts so many tourists but turns out they don't care.
(37) This is a lovely temple by the sea. It's great to see the sunset sitting on the lawn with a lot of local families who have picnics there. The only thing I would suggest is getting there around 5:30 to 6 in January, we went at 3:30 and it was too hot and we had to wait until 7pm for the sunset. You only need an hour to walk around and a good half hour for the market stalls. Worth a visit.
(38) Went there on a full moon day at 8 pm. Had a chance to see Balinese full moon ceremony. Hundreds people in white outfit went to the temple to pray. Such a wonderful experience. However, we were not allowed to go inside the temple since they allowed only Balinese to go inside to pray.
(39) Perfect place for pictures with magnificent atmosphere of waves breaking against the rocks, mysterious temple you can reach only when water is low...
(40) Yuck! Crowded, packed with vendors, stalls, huge parking lots. My least favorite kind of place. No access to the temple, just a silhouette at sunset. My husband walked across the tide only to be sprinkled with water \blessed\" and asked for money. Don't waste your time. So many beautiful temples around to Go to."
(41) The temple was simply gorgeous. Stunning views from the top. Sunset was amazing! The only annoying thing was that due to the number of visitors, it was challenging trying to get a photo without someone walking through it. This is not an all day trip. I combined this with a visit to a few other temples, which worked out fine. This is a must see!
(42) Very much a must see location. Quite busy but people didnt obscure the view of the temple off shore.
(43) we took almost 2.5 hours driving to get here from Ubud. The site is majestic with plenty Balinese statue around. Local believed the water is holy. Once you entering the gate be ready to walk in the middle of water with circle steps.
(44) If your in Bali this is a must do, but beware. The Temple & surrounds are beautiful but the crowds are enourmous. Like other reviews I suggest you go early in the morning as we did this time. Small crowds, plenty of space to move around & enjoy the sights & markets.
(45) Lovely its nice to know that places like this stil do exist. Mother of Balinese nature is just amazing !
(46) I love this temple by the lake. Beautiful and peaceful. Despite rain there were quite a few visitors. Adjacent garden/park has some equipment for children to play on. Will come back later on a sunny day. The restaurant is mediocre. The buffet is a better value.
(47) The view of this temple never fails to amaze. This time we were staying at the pan pacific with family. Just across the fairway and you see this amazing structure in the sea. Best seen at daytime or latest sunset. It is not lit up at night so don't waste a trip during the dark hours.
(48) Unbelievable place. Beautiful sunset. The location is perfect. Good seafood at the restaurant near the temple.
(49) This is a great place to visit. The temple is very interesting. Many westerners were in the water, but it all seemed too much bother for us as you need to respect the local custom of being almost fully clothed. However, we did join a long queue to touch the water. We did a couple of day trips and found this to be one of the most memorable. We combined it with lunch overlooking the volcano and lake Batur and the monkey forest at Ubud
(50) Very tourist orientated place ...we were lucky to see a ceremony which was interesting ...amazing shrines and temples... would gladly recommend this as an attraction to view a Must see\nextremely popular over the High Season - many tourists and busses \nAmazing Lake and backdrop as you drive down the Mountain into the Temple \na Must SEE
(51) 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"
(52) Beautiful to see at sunset, take photos and explore the rock pools on the beach around the temple! Get there a bit earlier if you would like to do some shopping at the market beforehand
(53) You will not be the only one visiting this picturesque temple on the lake, but I think it is still worth a visit. Loved watching the ceremonies taking place and exploring the grounds. Worth seeing if you're in the area.
(54) What a great temple with so much history and detail. We had a tour guide and were grateful so that we could find out about the history and traditions!
(55) Beautiful landscape. Temple nothing spectacular. It is not a must, but a nice place to visit at the peninsula of Bali.
(56) The Temple is the main attraction and better to see and photo at low tide. The sunset is stunning and the gardens re beautiful. Unfortunately is has become very commercial with heaps of stalls to buy Bali things from before you get to the temple. Other than that is a good sight seeing attraction.
(57) To be honest I was expecting more of the temple from the reviews. We went at sunset and it was absolutely heaving with other tourists, which is fine but the temple itself was not impressive enough to make up for it. If you do go, skip the sunset \tourist show\" and go to the cliff edge to watch the impressive sunset, which made up for an otherwise average visit."
(58) Come and visit this temple,pretty rocky temple on the sea,and beautiful sunset in the afternoon,for everyone don't missing the beauty of bali👍recomended
(59) We went to see the Temple beginning of October early afternoon. The sights are unbelievable. There were tourist, but it wasn't overly crowded. there is virtually no shade, so whip out the sunscreen.\nI do recommend it to anyone interested in great sights.
(60) It was really hard to go up and down all the road to see nothing actually. The temple was closed as the sign said. No guide there at all. For me I did not like this trip. Sorry

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) We visited during the month of September which is part of the traditional Hindu festival of Galungan and Kuningan. We watched many people make their way to prayer which is incredible to watch. Didn't do sunset but late afternoon which is just beautiful anyway.
(2) nice place and famous for the photos .. but the waiting time is tooo much and wasting so much of time just for photos are not worth.. if you have a good mirror you can take similar one at many places may not be as perfect but similar .. even the hotel gates were similar and we tried and got beter photos in kuta beach entrance.. \ngood temple but they dint allow us inside even when we said we are HINDU .. but thats not an issue a we respect their culture..\n\nits a long journey and will kill a total day .. better to avoid
(3) The view is amazing and the crashing of the waves was exciting. We went in the morning so it was not as crowded. It was high tide so we couldn't walk up to the temple but that did not spoil the experience.\n\nWe just ignored the many stalls and aggressive sales people. Lots of spots to take beautiful photos.
(4) Good place and fresh weather, we love the temple and the lake. We will know about Balinese culture. The view was beautiful.
(5) I loved the lake, the temple and the weather. This is a small temple in the lake and very picturesque. After purchasing the tickets there is a small complex through which you have to walk through to reach the lake. The complex is still used for prayer, not sure about the temple in the lake. There are souvenir stores outside the complex and also a few restaurants. Boating also can be done in the lake with options of paddle and motor boat.
(6) Pretty and fascinating view. Reached there around noon time so it was quite hot and crowded with a lot of people. But I'm just so amazed at the views of the temples and the waves...
(7) This temple and the entire site is so peaceful and serene. The best time to visit is at sunset for the most amazing views and photos. We would go back in a heartbeat if given a chance. Most beautiful site in Bali.
(8) Beautiful temple in a stunning setting with a gorgeous beach, sheers cliffs and angry white water breaking on the rocks. The temple is a lovely place to visit and the sunset is spectacular there. We drove a long way to see it and it was worth every minute.\nMet loads of tourists there and loads of friendly reverend locals all paying homage with flowers. Amazing place.
(9) For us (not only) this is number one temple in Bali. Located in so impressive place gathers many people, majority are locals coming for religious purpose. \nDuring our time it was full high tide so no way to visit this tiny island with template on the top. Huge waves were making the performance covering with water shrine terraces and the crowd coming very close just to observe.\nAnother place not to be missed.
(10) I was expecting just the main temple but was surprised with others in the same complex. Despite the rainy weather, a very nice place.
(11) Incredible views of the temples on the cliffs. Sunrise it's beyond beautiful and great spot for pictures over the sea view. A must see.
(12) It's really beautiful temple. Even it quite far from city center. Local people there also so nice. You required to rent the sarong it cost Rp 10k for local, I'm not sure if you can bring your own and the entrance fee is up to you, it's kind of donation. To go through the whole temple it takes 4 h round trip. I only went to the first temple and they said it is the best.\nFor female, if you are on period you are not allowed to come over to this temple.
(13) Gorgeous temple but beware hordes of tourists. Also, the surrounding toilets have a fee so be prepared
(14) It is a beautiful temple and the windy day with the waves breaking made for breath taking shots. Not sure if I would visit in the high season because of how busy it was in the low season.
(15) Definately worth visiting..the temple, cliffs, caves and gardens are lovely, but as others have said it is very crowded.
(16) Its hard to imagine how this superb temple was ever built. It is really magical watching the tide come in and the sun set simultaneously. The temple appears to float on water. It is closed to tourists but you see plenty from the viewing area. There are photo opportunities everywhere and plenty of street food and market stalls on the way in. Hire a guide for the trip and have him wait to take you back
(17) It is a beautiful place. It's great for a relaxing stroll. There are lots of photo opportunities. There are also many lovely cliffside restaurants right behind the temple.
(18) We travelled 2 hours from Ubud. IDR for scenic beautify is bit on higher side. The temple is a lovely location  being located between  the lake and in the mountains. Unfortunately tourists are ot allowed to visit temple.  So such exorbitant price being paid to see lake and see temple from outside. Inspire of this place is crowded and impossible to get a photo without somebody coming your way.\n\nThe property was well kept up and clean.  It had feel of a  park than a sacred temple complex.  There are funny little statues scattered about the park area and its a decent stroll.  When looking at the reviews describing this temple, I was interested to visit but overall it is not worth time travelling and money to spend.
(19) Amazing temple on the top of clip my friend was satisfy during the trip, they will come back to Bali and visit the temple again.
(20) First of all, all the temples are restricted for visitors. Accept the fact and enjoy the view, sunset and the beach. May be entry to temples would have been much appreciated but the entire experience over their is unforgettable. I see many people rated 1* just because they were not allowed to enter inside the temple. I don't agree with them though. Bali is definitely a revisit destination.
(21) This is my 4th time visiting Bali and every time I return I visit here. Yes it is packed with tourists and people trying to sell you items. But that's what a tourist attraction is. My partner is into photography so we would have been silly to pass up this opportunity. Be cautious of the tides though, usually you can walk downstairs and get really close to the temple but this time we missed that window. Still beautiful and breathtaking seeing temple on the water.
(22) It is a really beautiful place to see the view. With the Indian Ocean waves hitting the coastline and the stunning cliffs, it is really worth the trip.\n\nYou must wear a sarong before entering the temple premises, especially if you are wearing anything above knee level. However you need not buy it from the numerous vendors but you can loan it for free after purchasing the entrance tickets. Please be careful of the natural inhabitants of the temple (aka the moneys). Look after your glasses, sunglasses, caps and bottled drinks as these animals are known to snatch it from you unawares.
(23) Good walking tracks, clean amenities. You could spend a half day here easily as its so big with a lot to see. They had the Bali ceremony of Galungan on during our stay, so was great to see the Balinese coming to the temple for this tradition.
(24) Superb location for a temple. The serene lake and the lush surroundings make it a must visit experience. It was raining and overcast when we were there but still we could move around and soak it all in.
(25) Lots of markets and good trip to temple. Great placemof interest. Love the sunsets.\nNeed driver to see most on the way and shopping zcan be a treat. Bought a great kite and enjoyed the ceremony on the beach. Very interesting
(26) Spectacular coastline with amazing temples surrounded by pounding waves. Walkway to Tanah Lot when tide right. Great photo opportunity.
(27) This temple is in middle of Bali, but is very famous and that means a lot of tourists. But it's was nice to be here
(28) One of must visit places in Bali. Very beautiful enviroment, amazing temple. It's even more beautiful, when the sky is cloudy.
(29) Loved the cooling weather of the place as we're quite high up from the sea level. To reach this temple, an estimated 2 hours of ride is needed.\n\nWe're amazed by the view surrounding the temple (lake beratan). Its a worthwhile visit and we'd just sit on the tiny island with bamboos in the middle to relax and have a quick photo shot of the place. (not too sure if its man-made or not)
(30) The views where amazing and the temple was realy cool! Did not have the chance to cross the water to go out on the other side. I would recomende bringing a towel to dry of your feet, so you can cross the water and enjoy! I will next time!
(31) Spectacular display when a big set comes through. Crazy wedding going on at the time. There are other places as good on the southern end of Cennigan aroundBlue lagoon also.
(32) If you don't visit any other temple while in Bali, make sure you visit this one. It's only about a half hour drive from Seminyak, Legian etc. \n\nWe were there at high tide, but I think that you can walk over to it when it is low tide.\n\nYes, it is really busy and full of coaches and day trippers but it is also a great view and you could sit with a picnic or grab an ice cream.\n\nAs you enter into the temple there are a few streets with market stalls and they are actually really good for bargaining and buying your souvenirs and cheap clothing.\n\nWe understand that it is one of the top spots to watch the sunset from. We went during the day and it was busy. I can only imagine that it must be packed at night.
(33) We went as part of the Bali Golden Tours, the temple and the views were absolutely stunning, BUT we suggest to go in the afternoon as during the day it is extremely hot with a lot of strenuous walking required to get to the top of the temple. Make sure to bring plenty of water with you!
(34) Situated on the south west end of Bali getting to this temple can be time consuming and a little hectic. It is well worth the visit. The temple itself is quite small but the grounds around it are expansive and offer sweeping views or the ocean.
(35) 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,,
(36) I was not very sure about this temple prior to my visit to Bali, and when we visited I confirmed my impression. Its a big rock that can be access only during low tide, but there is nothing special about it. \n\nI assume its a very important site for local people, but if you are a tourist looking for the wow factor, there are other places in Bali to visit.
(37) This is a complete tourist trap. All the photographs you see neglect to show the beach swamped with people. The temple is underwhelming. The coast line opposite the temple is more interesting. We were here this week in low season with the hotels at really low capacity so I imagine it will be much worse in high season.
(38) 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."
(39) Quite an experience to see this temple off the beach. Get involved and partake in the water blessing. Walk to the top of the cliff and observe the sunset sipping on your favourite beverage. You must try the grilled corn; \its to die for.\" What a memory."
(40) The temple is beautifully located by the coast and worth a visit. But this one is definitely ON THE BEATEN TRACK. The place is not really calm and peaceful, the restaurants seem shabby at best and there are a lot on unnecessary merchandise sellers.
(41) This temple is so unique as its out at sea. Most people take photos from the beach but you can pay a little extra (not much) only when the tide is low enough to visit the temple. I did not do this but it seems worth it depending on the price as there isnt a whole lot to see. Its $6 each for an adult to see the Tannah Lot even from the beach area. There is also a little cave with the “holy snake” in there, you can pay like 20 cents to see it. The walk down to the temple is awesome, many market type shops and eating places. Probably the best markets Ive seen. The only down side is the toilets. I would recommend going before hand or try to go in a restaurant or proper shop the other ones on the street are dirty and actually made me gag. So please trust me on this one, dont venture that way! As always bring water, its hot!!!!!!!
(42) The scenic beauty with temple music playing just makes it all so out of this world. It is a good two hour drive from Ubud. The place has sprawling gardens with the lake Beratan in its back drop. This is definitely worth the visit.
(43) This place is just amazing, great views with beautiful scenery around the temples inside. Worth visiting, no regrets.
(44) Temples don't interest me but we went here to see the coast.\nYou have to pay to visit the temple and you receive a sarong, and a guide, the guide expects a fee and will tell you that only after the tour has finished and if you don't pay a good amount they throw it away and spit at you.
(45) This is one of those clear examples where tourism has killed the attractiveness of this Temple. The whole experience of walking through rows and rows of stalls selling anything and everything before you reach the Temple is a complete turn off. The sacredness of the site is totally lost amongst the hoards of people. I know I am just as guilty as the next person because I travel often but sometimes I really regret how tourism can ruin the one reason why you visit a place. I fear this is happening all over Bali.
(46) The temple itself is quite small for tourists so there is not much to do but to take pictures. I would recommend you get there early than later. We took a scooter to get to the temple. The road there is steep and has many bends so be careful. The first day we went there at around 5pm (late) but couldnt take pictures because the locals gathered around to worship/ festival? The next day we got there in the afternoon. It was beautiful. You do have to wait in a long queue to take pictures at the famous gate (so give enough time). There is a person there that can take pictures for you if u give him your phone. You can give him some money (I dont know if its required, but we did).
(47) We visited this temple on a cruise excursion. At noon, the tide around the offshore rock outcropping where the temple was situated was receding leaving darkened hard sand and puddles of ankle deep warm water. The temple was obscured from view by the trees and green shrubbery that grew in front of it on the rock. We could see 2 sets of stone steps leading to the temple on either side of the rock. There was a steady stream of Balinese women carrying trays of offerings on their heads who were climbing up these stone steps to the temple. Their offerings were piled on top of other offerings, about a 1 foot high already, onto a table at the edge of the rock. For visitors, these steps and thus the temple were off bounds. Priests dressed in white were at the entrances of the 2 caves, one at the base of the rock, the other at the base of the shoreline cliff. Visitors could approach these priests and, for a fee, receive holy water to drink or observe the holy snake. Visitors were more interested in investigating the rock pools and walking a bit along the craggy shoreline than the religious aspect of this attraction. \n\nWhile we took photos of the offshore rock as we entered down the steps to the sandy beach, I discovered later that better photos could be taken of Tanah Lot from a little park opposite it. From the cliff that juts out in that park, I could get a picturesque photo of the shoreline with the rolling in white surf, the blue ocean water, and a side of the rock outcropping with its stairs and offering table. This area in the park was shaded and had benches for resting. There even was a vendor there with a huge, fat, long snake in a basket, asking people if they would like their picture taken holding it. \n\nOn the other side of this point was another photographic view of a different bay which also had a line of white surf splashing onto the rocks at the base of another temple, also on a rock outcropping. This temple, however, was connected to the park by a landbridge. This temple, too, was hidden from view by leafy shrubbery and trees. What was spectacular about this view was the stone arch that had formed underneath the rock outcropping through which the surf was purging. \n\nExpect a 7 minute walk from the bus parking area to the Tanah Lot Temple. This walk is paved, with no shade, and rows of market stalls on both sides offering tourist souvenirs, clothing, hats, scarves, bags, flip flops, corn, ice cream, fruit, drinks. Vendors wait for customers to approach them.\n\nWe spent about 1 hour at this attraction located on the southwest coast of Bali. We enjoyed the picturesque ocean views and people watching as there was little to see of a temple or shrine. It took about 1 hour to drive to Tanah Lot from the cruise terminal. A visit to Tanah Lot could be grouped with a visit to the Royal temple, Taman Ayun, about 30 minutes inland from Tanah Lot. Tanah Lot Temple does not duplicate other Balinese temple attractions.
(48) This place could be a very nice one, if it would be possible to enter the temple, if it wasn´t so crowded, if they hadn´t a chaotic parking management, if they had a suitable signing, if….
(49) the temple so aowsome some people call this place water temple . because the location of the temple there is inside the water but the best view on sunset if it is not cloudy the sunset view are aowsome this miss it
(50) Worth the trip out, grab a front row seat at one of the cliff top cafes, grab a beer or what ever drink takes your fancy. And enjoy the amazing view of the sun sinking behind the 700+ year old temple. Simply breathtaking 😄, also worth taking a little time to wander the stalls, lots of the same Bali trinkets but some small areas there are some interesting finds. Don't miss it. Best recommendation is hire a driver who will just sit and wait, so you have the time you need.
(51) One of Bali's best attractions , is its beautiful temples, and this one is truly worth the drive to see .\nIt's a great place to take time to think and have gratitude for all things in life and delete your mind if any negativity .
(52) The last time I came here was several years ago and I enjoyed the short time that we visited this area. \n\nThis time we came with 3 family's and they had changed the entry access with a major marketplace designed to channel tourists through to get to the temple. Also they set up charges of 60,000 Rp per head to enter. Even before our families entered it cost us AUD $84.\n\nThe temple itsef is situated on a rocky outcrop just off the shore line which can only be accessed by foot at low tide. It is worth a pic or two.\n\nWe were actually very disappointed as apart from the 10 minutes looking at the temple at high tide we pretty much walked straight back out of the park through the heavy barrage of desperate market people trying to flog the overpriced souvenirs.\n\nIt is a shame they had to over commercialise it like they have done because I would never recommend it to anyone. \n\nAt AUD $6 a head, don't waste your money.
(53) Got there by 10am from ubud so not many people there. Colourful well kept gardens lead to temple area by the lake. Cloudy today so not shown off to its best but beautiful site on the edge of the lake. Temple itself fairly simple but setting lovely. Kids amused themselves in antiquated playground in the grounds. Well worth the trip.
(54) We loved the temple, it is really beautiful. There is a nice walk by the lake, the views are amazing. It is a must see in Bali.
(55) Beautiful place and the temple is just inside the lake. And the mountain and lake view so mesmerizing. U will take ur breath away. U can eat in nearby restaurant with the view of Lake and mountain although I don't like the food(we v booked a taxi for 10hr for USD 55). U won't find local \nTaxi here
(56) We stopped here on a trip from Amed to Ubud. It was the first water temple I had seen and I thought it was very beautiful. And according to my friends there were a lot fewer tourists which made it even more enjoyable. You can even walk on the stepping stones in the water!
(57) This is very big temple but can not go to temple jsut go to the stair and see the view of ocean and return back to down stair,
(58) A beautiful place to walk along the pathway. There are some lovely restaurants on the sand under the tree's that make for a gorgeous Balinese experience. The many shop owners are quite aggressive so don't engage in conversation unless you wish to visit their shop!
(59) This large temple complex is beautifully situated on the shores of the lake. After a not-insignificant fee, you can enter and walk around. Some of the structures are obviously recent and of dubious authenticity. Cafe, playground for kids, and the usual hawkers. Not too crowded.
(60) Others had told us not to bother. We ignored the advice. Yes, it looks lovely but not worth the visit. The tide was low on our visit so we did get to walk on the rock platform. Cross it off the list of to dos. Plenty of other beautiful temples to look at on your visit to Bali.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) The temple in the lake with the beautiful garden with blooming flowers on the side and hills in the background make this a very picturesque location. Worth a visit. More like a picnic spot than a temple vibe to the place though
(2) Set on the lake with awesome views around. Was especially eerie visiting in the late afternoon when the clouds come over the lake and make this place mystical and magical looking. I thoroughly enjoyed this one and took many photos.
(3) We loved our visit here, although it is a bit commercialized and touristy. But if you can look past that to the beautiful views and gorgeous temple it is certainly worth the visit. We had a lovely sunset and then treated ourselves to a show of a local Balinese Cekak Fire Dance against the drop of the sunset which was really wonderful.
(4) Beautiful! No crowds. We arrived pretty early at about 9 am. When we were leaving at about 10am, there was a crowd forming. I suggest arriving early so there aren't many people walking on the water when you're there. Stopped here on the drive from Seminyak to Tulamben. I wish I was dressed better as you're able to take amazing photos here. The sights are beautiful, the pools are amazing. I didn't swim in them but i think you can. We hired a guide which was about $3 USD to walk us through and give us history. We didn't have much time, but it was nice to get some information about about the temple.
(5) We were so impressed by the grandeur of this temple. The location and surroundings gave us a long lasting impression of the beauty of the temple.
(6) The photo with the snake is the best part....it was very heavy. I held the tail end 😉, hubby had the head. Of course the temple was great too, we could not go over to it as it was not low tide.
(7) Signature temple of Bali.. Very photogenic, only if there is water anf if the weather is sunny.. Else no. Expect hundred of tourists and not much to see or to do in the grounds of this temple..
(8) This was an interesting place to spend some time, the temple is quite unique and easy to view and get to. There are some eateries around so you can get a drink and food without to many problems, it is inexpensive to get inane the money goes to upkeep, you can have guides to wander and explain or just under by yourself and enjoy the scenery around the park are and temple. Lovely to see.
(9) Here you can enjoy beautiful sunset while sipping your favourite freshly squeezed juice or a Bintang beer. Do not miss the stroll along the coast and rituals around the temple.
(10) One of the best temple in Bali, we visited on feb and wasn't crowded. Weather was a bit rainy but we enjoyed our time.
(11) 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!\n\nSo 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.
(12) at very close proximity. The temples were very beautiful and it felt like you were in an Indiana Jones setting with all the tall trees and the wines hanging everywhere,
(13) We were entranced with this temple stunningly located on a cliff. The scenery is just amazing and, with the temple positioned where it is, this is a very special and quite spiritual place. I was surprised at the size of the market we had to walk through to get to the beach. I did expect some markets, but not of this scale. To be honest, I felt this diminished the spirituality of the place a little. However, the actual temple and the beach did not disappoint. There were heaps of people there for the sunset and I can't help but think I would love to see the majesty of it at a different, less busy, time. We had dinner on the cliff top, overlooking the temple and the beach. There are lots of restaurants to chose from, although they all seemed to have the same sort of food on the menu. Food was inexpensive and okay. Not a place to have a romantic, secluded fine dining meal, but quite okay for a reasonably quick meal. I am really pleased that we visited.
(14) A beautiful temple, with even better views! You need to ensure you visit at low tide so you can walk down around the rocks and get plenty of photos of the temple and the beach. There are a lot of tourists here and can get very busy, but it is still highly recommended to visit!
(15) Pity it was pouring when we were at The Water Temple, but we still had a lovely walk around and enjoyed the sights.\nLots to see on site with temples and gardens and plenty of things for the kids to do.\nSmall charge to enter but well worth the fee.
(16) Such unique and interesting location the temple situate on...it makes you wonder, how did they do it?
(17) We visited here twice during our stay, once at sunset and once in the morning. Even though the views are beautiful at sunset, I would definitely recommend going during the day, when it is less busy and you have time to explore. Also there are usually a few surfers in the huge waves which is pretty cool\n\nIf the tide is out, you must walk out under the temple and drink from the holy spring water (it's fresh so safe to drink) and get a blessing from a priest and it's only 10,000 Rupiah
(18) Brilliant you can walk around the temple and the views are amazing. Well worth a visit while in Bali. The buildings are lovely.
(19) To be honest we did go on an overcast day so we didnt see it in its full glory, but there are much nicer temples to visit in Bali. The place was packed and it had a feeling of a theme park. The temples we have visited over the years we have returned to more than once, however this one I wouldnt bother with again.
(20) The view is amazing especially from the side park of the Pura\nThe mountain lake and the sky make a perfect scenery \nMy favorite place in Bali \n\nThe entrance for local domestic is 10.000 rupiah for Foreigners around 30.000 rupiah \n\nKinda far for city center took around 2-3 hours to get here \nIts better to have lunch before get to to this temple , there is strawberry farm on the way up to this temple and many restaurant with cool view also \n\nWorth visit
(21) Once in a lifetime experience. The beautiful temple with an amazing sunset really took my breath away. Amazing amazing experience
(22) One of the nicest temples we saw in Bali. It's the one on the lake on the front of the lonely planet book. Only downside is that it's packed with tourists so best get there early in the motning. As there are so many temples all over Bali I wouldn't go out of my way to see this one specifically bit it is in the same region as the jatiluwih rice fields, which are 100% worth the visit. It's a good day out from ubud to hire a driver and do these 2 together (see separate review on the rice terraces) probably shouldn't pay more than about 500k for a driver for 6 hours. We booked direct from the hotel and ended up paying about 700k but later found out that you can get a driver much cheaper from the tourist stalls in central ubud.
(23) Amazing view of the sea, sunset and the temples. Although you are not allowed inside the temple, you can spend a good couple of hours there walking across the cliff.
(24) This is a must see when visiting Bali. \nThe temple and the surrounding area are breathtaking at both sunrise and sunset. Try to go early so that the tide is down.
(25) Its really awesome place to go. Amazing view of temple in the sea. You can found many temple with varian construction here. If you go to bali. You have to visit here !
(26) Went here for sunset, was a bit cloudy but we still enjoyed a nice view. Went across from the temple and had a bintang whilst the sun set. Beautiful :).
(27) Its the same view as in 50k rupiah. So you roughly can imagine it while you look at that money. The coolest environment temple as compared to the other temples. Take as much as pictures as you can. There is a mini zoo or something like that for tourist to take photo with money paid, but please don't do this if you really loved the animals. Thank you.
(28) Beautiful watertempel, where you have the religious bathing and can be blessed with holy water..\n\nYou can also enjoy the silence at this holy place and watch the statues.\n\nPs: get to talk with the Balinese people and priests over there. They can explain to you the meaning of this place and a lot about the spirit and it's power.
(29) There was too many people in this temple. Price wasn't so cheap, 60k/adult. The temple itself is ok.
(30) This is located in a wonderful place...sunset is gorgeous but not visible on cloudy days...the temple is very beautiful as well!!
(31) Best scenic place with temple and lake. Good photographic place. your not allowed inside the temple for worship. More tourist places only. you will see more mist on top of lake which is very scenic view.
(32) The temple is located above sea level and gives you an illusion that it is floating if the water level is high. Once inside the temple's grounds, take your time to walk around and enjoy the natural beauty. This is my third visit, it got more and more touristy and crowded this time around.
(33) We didn't go at sunset as everyone recommended. Instead we went at high noon which was extremely hot. Its quite a big space to walk around which would be nice if it was cooler (our fault for going at noon.) \nYou really can't get close to the temples or shrines as it is closed off to tourists which is a bit disappointing. Still a nice place to visit and walk around.
(34) Other reviews already attest to the attractiveness of this place. Go duing sunset for the great views! Best time to get there is before 5pm, so that you will have some time to browse the many little shops just outside the temple compound. \n\nFor best photos, go down to the beach and make your way towards the left side, as far as possible. Thus, when the sun sets, you will have a fantastic view of the temple's outline in the foreground.
(35) The temple is really beautiful and more amazing is the view.. perched on top of a steep cliff, the sunsets are splendid. A must go for the dance, sunset and the views.
(36) This is a lovely Hindu Temple sitting high on the cliffs overlooking the ocean. While the temple itself is quite a little jewel, what makes the experience are the views. There are walks along the clifftop that provide a new vista every few feet. Well worth the time to explore.
(37) Very impressive temple complex. First two are inspiring and then the hardy can walk up (or take combination motor bike and walk) to the other 5 temples on the mountain. But you will not be disappointed if you only see the lower ones. Take in the amazing carving, observe ceremonies and generally sit back and take it all in. Sitting quietly and observing adds to the experience.
(38) Well worth the drive into the mountains to see the temple, lakes, waterfalls and some incredible views of the volcanoes. The temple is serene - even though there are plenty of visitors - just find a spot by the lake beside one of the altars and contemplate. Gorgeous.
(39) Unfortunate that you cannot get close to the temple, but still nice to look at from a distance and take fotos. Was quite busy and the drive there is long with all the traffic. But worth the trip.
(40) This temple shoots great at first light - think sunrise. We showed up at dawn in the rain and there was no one there. We drove by two days later at 2 pm and it looked like the parking lot at Disney Land. Go early and take a tripod. Take your binoculars too as the birding is greAt there.
(41) Amazing temple ..! We are very glad to can see this temple with sunset back ground ! This temple was very nice in the world
(42) Im not a temple or a church fan. Ive seen so many. But this temple, which features on the 50000 rupee note, was worth the visit as there are also landscaped gardens, it borders Balis second largest lake and the air is clean. We saw a morning offering ceremony.
(43) Loved being there at low tide. There is a small restaurant on top of the cliff next to the temple. A perfect vantage point to watch the sunset!
(44) The place is gorgeous, some spots are absolutely stunning, the sunset incredible beautiful. But the quantity of tourists around taking photos every meter, makes the place lose the worshiper. Looks like people do not respect the sacred in there and just want dispute the photos spot. Despite the behave of the tourists the place is really beautiful and the dance with fire in there is nice too.
(45) Incredibly disappointing tourist trap. The view is as regular as it gets, akin to any shore ever had a sea view. One cannot go close or enter the temple. There are 5757474758 souvenir shops in and around the temple complex, even they know they are so inauthentic that they try to sell Kenyan masks. Do not waste your time, go to Ubud and north for something actually worth to see.
(46) This is a lovely place to visit with a great view over the ocean. There are a lot of stairs to get to the top so if you have health issues with walking you made be limited in seeing the whole experience. It gets extremely busy with bus loads coming in continually particularly if also going to the fire dancers around 6pm. Sarong is required however these are supplied if your not wearing one. Take the time to absorb the feel of the place despite the number of other tourists.
(47) I love this place! Not to be missed is the temple inside with some very memorable stone sculptures. Bring a sarong if you want to enter the temple grounds.
(48) An amazing temple and such great views, it was amazing just to see the temple and the ocean that around it, worth a visit
(49) My wife and i were reading much about the Gate of Heaven and that is why we decided to make the trip to this so-called magical place.\n\nUnfortunately, once arriving to the main yard we were forced to hear the scream of someone saying jump continuously.\nOnce entering to the yard visitors are delegated (Through artificial temple monks) to take a que number for a photo secession through the main door.\n\nOther visitor who do not want to take part on this silly action were not able to enjoy this spiritual place without the loud voice of the Instagram photo maniac who were queuing the visitors continuously the whole day.\n\nIs there no one who can control this misuse of this holy place?
(50) As we didn't have a huge amount of time here we decided to only go up to the first temple. Even just from here, the views of Northern Bali and beyond are absolutely stunning. The atmosphere was very peaceful, and it was a great way to spend an afternoon. I'd love to go back and visit the higher up temples when I have more time.
(51) The ride Towards this area is more rewarding than the temple itself. I can imagine that at sunrise the picture is more special. The setting is mystique between the clouds and mountains.
(52) We loved this temple, the setting of the structures on the lake is breath taking.\n\nUnfortunately for us, we visited during a strong rain storm and were not able to enjoy fully. But even in those conditions we were impressed. \n\nwe would love to go back during a sunny day.
(53) Its a cluster of temples close to the sea and a beautiful sight at sunset . must see places have a downside , which is the immense number of people who visit . Not a single photograph could be taken without any strangers sharing the frame .Nonetheless ..a must see place..
(54) We stopped by this temple on the way to Semenyak from Ubud. \n\nIt is quite interesting to see such a temple on the shore of the sea.\n\nUnfortunately we were not allowed inside that day due to a religious day.\n\nPlan ahead and try to go on a day you can go inside.
(55) The temple is high on the mountains, the lake beside it very nice. We took a speed-boat ride, it was raining in one part of the lake but it was sunny on the other side!\nLots of local people were smoking which was annoying.
(56) We enjoyed a lot by visiting this temple and taking many photos. This is a must visit if you visit Bali.
(57) Breathtaking scenery near the temple, I recommend visit early in the morning, without crowds is even more beautiful.
(58) Having seen so many photos of this temple, I was really looking forward to the idyllic setting but as with most famous temples, it was very overcrowded and it isn't cheap. We paid 50,000 each to get into the temple and 5,000 to park and was ready to leave after 5 minutes. You can get good photos but it isn't a representative of what it's actually like \n\nIs it worth seeing, yes, but just don't expect a peaceful visit and outstanding beauty
(59) Experience rocky island during the day and your can enjoy the beautiful sea. There are also plenty of Balinese shops and restaurants before you reach the temple.
(60) Nice view of the temple with the sea as a backdrop. The place offers different view on low and high tide. Good photo moments.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) We thought this temple was pretty average to tell you the truth. After paying 60000Ir per person to get in you cant even hardly see the temple because it is hidden behind trees, and they wont let you go around to it. There was a queue for holy water of about 30 people, which will then enable you go go around another 10 odd metres to the side but still not anywhere the temple where you could see it properly. We didnt bother. Even having a beer on the clifftop and looking down in it it was still shrouded by trees lol, and after spending the afternoon there I still dont really have any idea what the temple looks like. Disappointing.
(2) Really enjoyed this temple. The scenery around the lake is amazing and the gardens make for a lovely peaceful walk. You can also take a speedboat around the perimeter of the lake, unfortunately we didn't have enough time to do this.
(3) Great views,but pretty crowded at sunset. Wear study shoes; flip flops are dangerous! The beach/rocks are very slippery. They will charge you to visit temple (and use toilet) beware you cannot access further than the first set of steps (10 steps). Arrange transport first, difficult to get new taxi(all waiting for ppl).
(4) View the temple at sunset from a distance and it is beautiful. If you go down all you will see is a endless supply of plastic and trash.
(5) This is such a popular icon in photos of Bali that I really wanted to see it live. There are actually a group of temples at this large park, as well as playground, dancing kids, and gardens. It's all very lovely, but also crowded most of the time. I didn't realize that the water wasn't around the temple all the time. It only comes after they've had months of rain, so it was dry and not quite as spectacular. Still, it was fun to see the paintings on the other buildings, watch the deer eat, walk the beautiful garden paths, and of course my son liked the very simple playground. This is a nice park to see for all ages.
(6) Prettiest temple in Bali. A must see. Nice photo spot. Not allowed inside but just walk around. 1 hour.
(7) Temples in the middle of a lake never failed to amuse me. COnsidering that this structure was built ages ago, I never imagined how they do it. I was lucky to witness a traditional Balinese ceremony while I'm seeing the sights. The entrance fee was 50k, as the place was imprinted on this paper bill. I would definitely come back.
(8) To me this temple is the symbol of Bali. I had to come here.\n\nGround is very small. There are just two towers and thats it. But it is beautifully situated near the lake. \n\nYou have to come here.
(9) It is located southwest of Kuta, about 20 minutes drive from the Jimbaran Beach. Most guided tour will make this as their last stop to take in the beautiful sunset. The admission is 30,000 IDR, a little more than US$2.00. It is well worth it. There are actually two viewpoints, both on top of a sea cliff projection. The temple is located on the cliff further south. From the entrance, there are separate paths leading to the two view points. The two view points are linked by a walk-path along the cliff. Personally, I would recommend you walk to the view point further north. From there you can get a good view of the temple sitting on the top of a sea cliff projection. It was quite a sight to behold. Then, as the sun goes down, walk towards the temple on the path along the cliff. You will have a full view of the sunset all the way. And if you time it right, the sun will be setting almost completely by the time you reached the temple. It is a wonderful sight! Highly recommend it. BTW, I don't believe you are allowed to actually enter the temple. Also, near the temple, there is an amphitheater for the Kecak dance show. The show time coincides with the sunset. So you might miss the real sunset if you opted for the show. Also, once the show is over, a few hundred people would be heading for the parking lot at the same time, it would be a bit of a nightmare.
(10) This is a very beautiful temple on the lake it was worth the 50,000 rup to get in, this is not a temple that you can go inside to look around,but the beauty of the place is truly stunning,apart from the temple there is not much more to see in this complex but I strongly recommend going to see it anyway
(11) could only take pictures from far. we weren't allowed to go in the temple.. the entry fee was 60.000Rp per person..
(12) This was one of the main highlights of our trip to Bali, the sheer beauty of the temple, age and complexity of it mesmerised us. We were also blessed there.
(13) this temple on the cost of the ocean is great place to visit, but best timing would be at the early morning, before the crowed start to come in from huge buses. Other best thing is to visit it with private guide in small company or solo!
(14) Its peculiar to see offerings and some Hindu rituals happening on its long stretch where elegant resorts are present. While walking to look for cheap and good resto we even witnessed two live ducks being tossed into the sea along with some fruits for offering. The poor ducks got broken necks instantly because of the strong waves.
(15) Visited the site as part of an all day driving tour of Bali sightseeing. Beautiful setting, although it was the dry season so not all vegetation was in bloom or bright green. Very picturesque temples on the lake. Great photo opportunity for the family. Fishing boats next to the temple site also provided good photo ops. A couple onsite restaurants looked tasty although we did not eat there. Small shopping area outside the temple exit. No high pressure to enter the stalls. A comfortable setting to browse local goods. \n\nHuge turn off to us was the multiple attempts for tourists trying to get photos of our girls. We have run into this many times before and granted a few photos, but here the tourists were aggressive and some trying to be sneaky to get photos.
(16) We went there at 4 pm and we walked through the water so we can reach the temple it's in the indian ocean and there are so many good spots to watch the sunset from and there's an area which has restaurants where you can see the sunset from but actually the view is better on the other side of these restaurants we spent almost 4 hours there and i really didn't want to leave\nAnd i recommend everyone to go by motorcycle cause the road is amazing and you'll enjoy it
(17) Situated on a lake and depending on water levels can look like it is floating. At the entrance there is toilets (small charge), a few shops and a restaurant. Once inside there is a well maintained garden, the temple and another restaurant. There are also some sellers inside the grounds. You may also hire fishing equipment or take a paddle boat out onto the lake. Next to the temple are about 3 or 4 photographers who will take your photo and print off the picture while you wait. Do not be put off by them the picture cost about £1 and was placed in a souvenir frame. They will also take some pictures for you on your camera. For me this place should be on everyone's list for any trip to Bali.
(18) The temple offers great views and great photo opportunities. There are a few \guides\" on site to help around. Also got the chance to see a few monkeys! The only downside is the fact that this is a \"touristic attraction.\" Even if this was not high tourist season, there were still a fair amount of people talking loudly and continuously recording everything. Personally, we would have preferred enjoying the atmosphere of a traditional temple a little more. I would recommend reading a little on the history of the place ahead of time too! Quiet interesting."
(19) I have to admit I'm not into nature person, but this temple may be suitable for those who are finding for a mountain view with a temple, with a great sightseeing from the top, some of traditional food(s), and...a content (say it, photo)😅\n\nPlease take a note that its not a water below the temple, but a reflection from a mirror placed near the camera lens! Most people mistaken it and turns out they become disappointed because its not a real water hahaha.\n\nBetter to come here early (morning is the best) because I came here past 12PM so the queue is pretty long (I was there for a 2 hours queue), and likely to rain since the fog is coming down near evening.
(20) Nothing exceptional about the temple but a good place to go for a first-time visit to Bali. The area around the temple is not big but is good for a walk.
(21) Breathtakingly beautiful sunset view with the waves , really can feel spiritual and relax. Beautiful temples and as usual a bit touristy.
(22) Another a must visit temple in Bali. Unique for its location & popular tourist attractions. You need to rent a car with a driver to go here. The best time to visit is when the tides are low....the temple isn't accessible for tourist but you can take pictures from far. Beware of the local photographers that are selling photos along the way....
(23) No trip to Bali is complete without a visit to this awe inspiring temple, the surrounding countryside offers an insight into rural life.
(24) Great place for a photo shot of the temple together with the lake.\nAlso can see local in tradition dress giving offering at the temple.\n\nHighly recommended to take a speed boat ride that will take you around the lake for a fee of just Rp200,000 for 2 persons. \n\nThere is also a restaurant near the lake that have a buffet menu and ala carte menu. However in my opinion, food is so so only.
(25) The lake has beatiful scenery and it is better for you te rent a boat and round the lake. The temple looks very graceful and very interesting to take pictures.
(26) Excellent view of the cliff and amazing area. Wear slippers as you will need to walk through the sea (less than 1m deep) to reach the cave where you can be blessed by priest. There's also a holy snake where you can make a small donation and take a photo. There are shops around the area before you reach the temple but we didnt buy anything, only drank coconut at 15,000IDR each. Overall, it was a nice experience, the kids love exploring the potholes trying to see if there's any fish.
(27) The whole temple are a unit place by itself. Area are well kept and clean with plenty of facilities for tourist. Travelling to location is a headache due to heavy traffic with bad road system
(28) This is a must visit when in Bali. A very traditional temple with stunning views from the cliff tops. It also has some cheap market stalls. The traders are a bit pushy, but ignore this and enjoy the whole experience.
(29) The place is looking great! The temple is very beautiful. \nYou must see it. The ticket is 50,000 rupee/pers. But I think is worth the money. The view is amazing.\nWe were here in the evening, around 17 o'clock and it was chilly. Remember to pack a sweater.
(30) This temple is located in a beautiful environment and is a nice site if this is what you are looking for ! Access to the inside of the temple is not possible but one could spend one hour there strolling around . There is also a Buddhist stupa close by and a huge mosque not too far on the side of the mountain from where it is possible to take nice pictures of the temple !
(31) Quite crowded place but worth a visit. I recommend a visit just before the sunset so you get a day and evening with along with beautiful sunset. And you can also walk to the temple as the tide is low...\nI like the small near by temple even more interesting perhaps...
(32) The sunset is unique with the Temple and wavy sea, beautiful. Can be clouded with people at peak season. Avoid cloudy weather to have the best sunset view. The ticket is 30 k Rupiah per pax, and add 5 k for car. This is reasonably compare to a few other like rice terrace, royal temple, hot spring which also charge 30-35 k per pax for just some viewing. There is also many shopping place after the entrance, we were happy to see fix priced item, like Bali T shirt from 30 k, lady accessaries necklaces from 10 k... which we do not need to bargain from 200 k. The variety of T shirt are more that on the street, we regret that we did not buy more designs. As they charge the ticket at car entrance, not sure if entering shopping area require the purchase of ticket ??
(33) Well laid out entrance, good pricing and easy parking. No pestering touts and a nice shop lined walk up to the temple entrance. As expected the place is awash with selfie snappers but you can still appreciate the uniqueness of this temple, definitely worth a visit ... at low tide!
(34) Once you enter the area, a beautiful landscape greets you. You will love the scenic beauty and if the weather is good a stroll at the beach area would be amazing. The temples can also be visited but the main beauty is the area around.
(35) This one the best place that we visited in Bali on that time .... the air very cool and nice, the view of temple very nice and also u can ride a boat there ...
(36) After running the gauntlet of over priced souvenir stalls the temple is well worth the visit. The gardens are well maintained and beautiful.
(37) Wow, what mesmerizing view, on bank of Lake wonderful Temple, enjoyed every moment being there on hill top really very nice temple
(38) Beautiful place ...we reached well before the sunset time and spend some time at the beach and then we witness the beautiful sunset. It was really beautiful. We went to the temple which was a little queue with holy water. It has black sand and shoes can get really dirty if you go in water so wear some old ones. A must go place if you plan Bali.
(39) Beautiful temple and forest in the town centre of Ubud, there is even a stream and a gorge! A must do in Ubud.
(40) We drove for 2 hours to see this temple. The area around the temple is beautiful, but the temple itself was disappointing. It wasn't worth the long drive. There were many other locations that we enjoyed more.
(41) Well, after reading so many reviews we went there with a lot of expect ion. But except for a tiring climb and some good view of the sea, theres almost nothing. Its promoted as a temple but you can see only the door of the temple, that too from a distance. There are better places to go.
(42) beautiful place, even though its commercialised and crowded with tourists. You still can find a spot to take great photos without seeing people. It still reflects the original Balinese culture but there are plans to build big Hotels nearby. Enjoy before you get them in the background.
(43) This temple was quite a trek from Bali, up into the mountains. We hired a driver to take us there, and it was around 1.5 hours driving from our hotel. It was totally worth it, though. The temple is set by a lake, and its really peaceful and serene. People were actually fishing there! Its also got some pretty nice gardens to wander in.
(44) This temple realy religius and have strong spiritual. Realy beauty place if u come and see what the temple have there. U can see a holly snack and holly water
(45) Beautiful sight of Bali. It's a long way, but it's worth it. We combined it with other sight seeings nearby, and it didn't feel far. As we came back, we went tasting kopi luwak's coffee. \n\nYou will probably not spend too long in the area, since it's a very busy temple, but it does give you the real cultural experience. There are many tourists but also many balinese people (at least when we were there, it was close to Nyepi Day)\n\nNeedless to say, you'll have amazing photos.
(46) Going to the temple from the parking is quite difficult, some by van (paid for) and some walking. Note the slope is really stiff. When you - finally - arrive at the temple you are just sourrounded by hundreds of people queing up to get their photo taken in different position at the famous door. That door being taken for the \professionnal photographers\" you just cannot go near it!!! all this is so disapointing adding the fact that parts were closed due to tiling. The temple by itself is nice."
(47) We visited the Floating Temple near the end of the dry season so it was not floating. The lake level was down about 8 feet. It still was worth the visit because of the garden and park areas. The restaurant on site provides a tasty buffet and a place to look out across the lake. Because of the altitude, it is slightly cooler than other areas, making for a welcome respite.
(48) The view over there are simply amazing ! If you are brave enough you can do the 4 temples ( it takes around 4 hours to get there and come back )
(49) Very popular place. Entrance cost 30.000 rup per person. Crowds of people, so you'd better go there from Monday till Thursday. You have to pass a local market before you will reach the temple. Very unsuitable for people with reduced mobility.
(50) They recommend seeing this temple at sunset. We elected to go during the day as we were advised the crowds were very small then. They are not! It's still packed during the day! However that was the only downside to the visit. The temple is beautiful and the site is well worth a visit.
(51) After walking several hundred meters through thousands of crowded stalls filled with tourist knick-knacks from the parking lot to the beach, the sight of the temple was nice but the immense crowd was less than inviting, finding a good spot to watch the sunset wasn't easy and required a bit of elbow juice and assertiveness, and the view wasn't all that great anyway - from the beach, there is a grove of trees that blocks the temple. To see it, you have to walk across the sea where it's not too deep, accompanied by a local buddy, and go inside. We weren't brave enough, too much water, too dense a crowd. All the toilets there cost money.
(52) If possible visit during a ceremony as the temple then comes alive. I have seen it on three occasions and when there is no ceremony, the temple is less impressive. A bit of a tourist trap with options to travel on the lake by speed boat or pedalo, an opportunity for the children or young at heart to see, touch or be photographed with local animals (large bats, snakes and even a bunny)
(53) We took a cruise ship excursion to this temple located on the shores of Lake Beratan, about 2 hours from the cruise terminal in Benoa. This temple is located in central Bali in the mountainous region, about 1200m above sea level, so much cooler here than along the coast. The site offers lovely gardens, a temple complex with many shrines - some with multitiered roofs, water sport activities and small children's playground, cafes, and shopping. The site is very spacious accommodating many visitors without feeling overcrowded.\n\nThis temple complex is situated alongside a wide lake that is encircled with mountains. Sloping paths lead from the parking lot through the landscaped gardens to the lakeside temple complex. These landscaped grounds are very attractive. Annuals line many criss crossing paths in the spacious grassy park and tall trees hover overhead. On the far side, yet inside the park grounds, visitors have a choice of cafes; a modern washroom building with attendant is here as well. One path leads to a lookout over the lake where terraced fields can be seen on the mountainside across the lake. Clouds low on the mountain did not hamper our view. We used about 1/2 hour just to wander around these photographic grounds.\n\nThe temple complex is located beside the lake beyond the landscaped park. It is set off from the park with a low wall and tall ornate gate in the Balinese style. This complex has several shrines, but probably the most photographed one is the floating temple built on a small island a few feet from the shore. It was surrounded with many low ornately stone carved statues, blackened with algae. Shrines are built to various Hindu gods and several were clustered in this complex. They are noticeable because of their multitiered densely thatched roofs with either 3, 7 or 11 levels. The old temple is walled off and is off limits to visitors. Rising above the surrounding wall, visitors only see the tops of its shrines and several ornately carved stone statues. The temple was originally entered through a tall ornate stone entrance gate which had 3 skillfully wood carved doors in the Balinese style. Round about the temple complex, visitors will probably see statues holding offerings - banana leafs with colorful marigold flower petals and bits of food. There are other buildings in the complex built in the recognizable Bali style with no walls and tile floors that are probably used for ceremonies. The path that takes visitors all along the lakeside ends at the water sports rental wharf. By taking a boat onto the water, one would get a better photograph of this entire temple complex than on land. We used an additional 1/2 hour walking around the lakeside temple complex. \n\nThe parking lot area is lined with market stalls stuffed full with tourist souvenirs - hats, bags, flip flops, T-shirts, tops, scarves, postcards, assorted clothes. I didn't stop to shop.\n\nThe other stops along the way to this temple broke up the long drive. It was interesting to see the way the people make a living in the countryside and their living conditions.
(54) Spellbounding views,gorgeous sunsets..beautiful location of this temple. Not to miss this spot when you are in Bali. Though a bit crowded,but definitely worth visting .The waves touching the temple shores are amazing.
(55) Really loved the sight of this temple, it looks so tranquil, unfortunately super crowded with tourists.
(56) Absolutely one of the most, if not the most beautiful spot in Bali! Tip - come here during sunset time, around 3 pm. The whole place is so beautiful you will end up spending hours just sitting and admiring the beauty of it all! The sea, the temple, the waves. And some intense Balinese coffee. This place is a must go to spot!
(57) What an amazing place to see and experience. A lot of steps to take on but well worth the effort when you reach the top. Sunset views are also a must to experience. Make sure you take a sarong or wrap to put on around your waist to cover your knees as a sign of respect while visiting any temples in Bali. Your shoulders should also be covered.
(58) As this temple is one of the most famous, its is also full with people. We were here just before sunset and it was heavly crowded. But as expected. Great view. But the temple can only be seen from a distance. \nIf you have a selfie stick and facebook, this is the place you have to be and you will be.
(59) One of the best water temples in Bali and a must visit. The area temple located is a little cold in nature and there is no such specific dress code to visit the temple.
(60) A must visit spot/destination for visitors in Bali. Beautifully nestled amidst a rocky beach with crystal clear sea water kissing the horizon till human vision can reach, this temple re-defines beauty and peace. Everyone needs to undergo a cute and quick ritual before being allowed to climb the steps of this temple. Unlike other temples in Bali, wearing a full lower/pants or Sarong is not necessary here as the entire region is a seafront. The place deserves & requires a minimal duration of 75 to 120 minutes to be spent here. Highly recommended for all tourists visiting Bali!

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) This place makes you realise that there are special people in the world who are important to our overall well being.\nThis temple is a wonder to see and had to on everyone's bucket list.
(2) This is a magical place to view the sunset in Bali, but be warned it is very busy around sunset.\n\nWe were fortunate to go when the tide was out so we could walk to the temple ahead of the sunset.\n\nThere is a charge to get in and there is the obligatory street vendors selling food and trinkets but if you can see past this you get a feeling of peace as the sun sets.\n\nIt wasn't the best the day for seeing the sunset as it was hazy but we still managed to get a spectacular sunset.\n\nA must for sunset viewing
(3) this temple very special, because you only can visit the temple on 5pm -6pm (because the temple is at middle of the sea),
(4) Overcrowded Place. Looks amazing in the photos, but from up close with hundreds of tourists around and no access to the temple itself is something less than desirable. Plenty of souvenir and food stores around to catch the tourists coming and going. Recommended if you have spare time in Bali and don't mind the traffic going there to catch the sunset (which can be a hot or miss depending on season and clouds etc.).
(5) This is a must for all travelers to see. It is most tranquil and beautiful place. You can get blessed with fresh water coming form the temple in the middle of the sea. Then watch the sunset which looks like a stair way to heaven. Shopping is great as well and the prices are very reasonable. Take your insect repellent as the Mozes are out as the sun goes down. Be prepared for a lot of people attending at sunset so get there early and do some shopping then head down to the temple and watch the sunset on the rocks.
(6) Beautiful temple with a gorgeous layout. Have a swim in one of the available ponds/pools - chilly, but worth it.
(7) The location is stunning but the temple and surrounds do need some attention.\nOverall a pleasant visit.
(8) A very nice interesting Temple in Bali, the location was very wonderful and the local shops around was awesome.
(9) What's not to love about a temple surrounded by water! So peaceful and tranquil and not at all crowded. Bring your suit and towel if you'd like to go for a refreshing swim. It was a real treat!
(10) The temple is located at the cliff side, so the view was nice on a good day, especially for sunset. Lots of group tourists here and so make sure you go early to avoid the crowd. Quite a bit of walk too. So, beware if u are traveling with elderly or kids.
(11) This is an important landmark for those of the hindu faith, but the day I visited I was more concerned about the high tides that could easily wash the many tourists off the rocks. many were ignoring the danger signs and going out past the safe limit. \nSnakes - available to see and hold along with one that was freely slithering along the rock pools.
(12) The temple is an awesome piece of architecture that is situated up in the mountains, 1200 metres above sea level, sitting at the edge of a lake. It took our taxi driver about two hours from port to get there. We were amazed at the beauty and tranquility of this place. The well kept lawns and surrounding lake exude a sense of peace and calm. Lots of visitors. Unfortunately, the day we were there, it was drizzling with a bit of fog, adding to the mystic of the area. The temple can be found on their 50,000 bank note. The traffic going back was horrendous and we took much longer but our driver got us in on time for our ship's departure.
(13) I have touched a holy snake for the first time, enjoyed the waves, and a little bit of Bali shopping.
(14) My favourite temple in Bali. Stunning gardens to wander around and the setting on the lake is magical. Little playground for kids which was cute.
(15) A pretty cool place accesed by a longish drive through the mountains. Even though it rained whilst we were there the Temple strikes an imposing figure on the lake as well as making for a great photo or two!
(16) Went here and payed \n60k idr for adult \n30kidr for kiddos \nThe place is very very crowded that time even the weather s not that good. Too windy, and waves are strong and big.\nThe temple looks nice though \nSince its hightide we cant see clearly the other part of the temple and we didnt go near to it. \nLots of people asking for photograph for a fee if u wanted a souvenir , there are some street vendors too, i like the local fruits with tamarind sauce though. If am.not mistaken its called rajuk.\n\nIt would be nice if its not that crowded and the weather is good and calm waves.
(17) beautiful sunset, gorgeous temples. A must for any tourist. The only downfall was that we had to walk quite a way to where we wanted to be and try get through masses of people
(18) Its a temple on top of the hill. Can see the beutiful sea from top of the hill. The water is deep blue.
(19) The view from around the temple grounds is truly spectacular and worth the price of admission but don't expect anything from the temple. The temple is truly a disappointment. First, one cannot even go inside the temple grounds and second, it has none of the flair of typical Balinese temples. For being one of the top-six temples in Bali, it is decidedly unimpressive. No redeeming architectural value at all.
(20) Check the weather before coming here...beautiful temple, perfect during sunset. Its the temple featured in 50,000 bank notes. Ifnu have time, its fun to ride the speed boat around the lake just next to the temple. Recommended.
(21) Pretty nice temple in particular because of the surroundings I think, you won't get too close to the temple itself. It's one of the most popular temples not only across the whole island so there is a lot of tourists. But it still looks quite calm. You have to wait for the sunset, it's spectacular. :) entry 30k, watch out for monkeys stealing things
(22) We had our driver bring us there. The temple are itself is fantastic. The view and the sea. Perfect. There are some small attractions like the snake charmer or the spring water under the temple. But overall we spend 2 hours just at the beach and taking pictures before we went up to do some shopping and food. The telekung (muslim ladies worship garment) were super cheap and other souvenirs too. We tried local food too.
(23) It is, by far, the most wonderful Hindu temple I`ve seen on the island of Bali. Be prepared with the invigorating climb but the effort is all worth it. Nice sunset certainly rejuvenates your senses.
(24) I want to give this attraction a 5-star rating however the plethora of morons running around taking selfies with their selfie sticks made me want to hurl them into the lake (the person and the selfie stick).\n\nI have visited this attraction before the invention of the selfie stick and easily would have rated it a 5 star then and even though the setting is the same, the lake is the same and the temple is the same I have to say the sheer number of tourists spoil the attraction. No one is even attempting to try to take in what they are seeing or feeling the beauty around them. I am a photographer so I am not anti photos but for the love of god put the camera down and just take in what you are seeing. Take some photos by all means but also take in the scene you are taking a photo of. I bet if I asked the majority of the tourists that were spoiling it for everyone what they had taken a selfie with, that they would have no idea. \n\nWhilst 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.\n\nThere is a small admission fee: 50,000Rp.\n\nAlso 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. \n\nAnyhow 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.
(25) We visited this afternoon and we're very lucky to come during the bi annual religious festival. Traditional Balinese music, traditional dressed parishioners, families picnicking etc. A really lovely atmosphere and while the high tide meant we couldn't visit the main temple, what a view of the wave shaped coastline. A lovely family experience.
(26) Probably one of the best places to visit in Bali. This temple is a huge one with beautiful garden, lake view and mountain. Don't miss the boat ride.
(27) It is a temple far from the city surrounded by water. The location and the surroundings of the temple are wonderful. A must visit attraction.
(28) The Sea View from Various Vantage Points is excellent. The Temple in the Sea can be accessed by walk when the tide is low. The are various points where you can get good photographs and the Sunset at this beach is the best. A must visit.
(29) Boring. There is nothing to see there. No real shrine. Just a few walls and many many tourists. Would absolutely not recommend to go there by bus! Traffic jam!
(30) Positives - Beautiful Road on the way to temple, And Breathtaking seaview from temple.\n\nNegatives - Around 20 km from city, nothing much to see except view, you cant go inside temple, it is just structures.
(31) A bit of a walk and heaps of shops before you get to the temple. You can't actually go in to the temple but can take photo's from distance. A hat or umbrella is a must if coming during mid day. Lovely must visit place.
(32) This place was amazing. View was awesome.. The time we visited due to heavy wind and high tides unable to go inside the temple, however overall view of sea and temple was beautiful..
(33) Beautiful temple set up at the big lake beside the mountain. Beautiful views when the clouds are lifting up and showing the whole temple.
(34) Great place to see the sunset, and you can even go and watch a nice Balinese performance. I ended up watching two and this was the best of the two. There's another one, somewhere inside a temple but it's super short and very touristy. I would say avoid it if you can. You MUST arrive early to get good seats that allow you to see the sunset and the performance. You need to keep in mind that it's a bit long and the storyline is a bit confusing, but it's worth it to see once in your life.
(35) Great walk along the cliff and you can see the temple at the top. \n\nUnfortunately for us the day we visited was a major ceremonial day and much of the area was closed. Nether the less it was still a great place to visit and recommend it.
(36) Clean and fresh air with a beautiful place and a beautiful lake makes this temple has its famous name, luckily we came when the lake was low tide so we could go down and walk around near the lake.
(37) This is a totally different temple from those around Bali.\n\nThe gardens are well laid out and looked after and with the Balinese pagodas and their palm tree roofs, it's looks breathtaking especially with the hills and lake as their backdrop.\n\nThere is also a lunch buffet served in the larger restaurant and a smaller Warung serving local food.\n\nToilets are available but charging for toilet use after collecting an entrance fee, I think is a bit too much. \n\nAnyway this is a great place to visit in Ubud, Bali.
(38) Our family visited this Temple yesterday, quite a popular place to visit by all nationality as it was quite busy, our guide gave us an incite to the history and meanings behind various temples within the grounds and dating back towards 12th century, magical place and would be nice to see with water surrounding all parts.
(39) It's been 16 years since the last visit but it's still magical. The crowds are much larger but the locals try to put up with it. It's especially beautiful in the sunset with the surf pounding at the base of the Temple.
(40) Temple is located in a beautiful spot! nothing much to see inside, its just another temple at Bali. Do try the speed boat experience
(41) Good background to watch the sun set. Can get quite crowded though. Not much point in walking to the temple at low tide as all you see from below is mostly the large rock the temple sits on. Besides quite dirty black volcanic mud all around. \nWe sat in one of the restaurants overlooking the cliff and calmly watched the sunset- great views from the top without the crowds either. \nWe hired a driver for half the day costing $45 and included a visit to the Taman Ayun temple. \nVisit in March if you dont want too much of the crowds and it wasnt too wet either.
(42) It's a temple located on tip of the cliff! Apparently it is a must see. Personally nothing spectacular about this place. Packed with tourist local and abroad. Many little souvenir shops leading to the temple. \n\nThe tides can be a little strong at times, so watch out! I would suggest that you wear proper shoes as the rocks are covered with seaweeds and algae and can be slippery!
(43) We have visited this temple in the begining of september. The climet was great not so hot with a little wind. \nThe park or garden how they called it was breathtaking. The pools are nice and clean with a lot of fish. If you want you can even take a bath in one of the pools. \nTo see everything - garden, pools, temples - and have a little rest i think 2 hours is enugh.
(44) Intentionally visit the place around 3 PM since it will be very crowded during the sunset time. The ticket price is almost the same with many temples for touristic. The building itself located above the sea that made this temple is different with any others. Also, I discovered another temple in the right side (forgot the name) which has an awesome view too. If you need some souvenirs, the area outside the temple has some kiosks.
(45) This temple is right in front of the lake surrounded by mountains which was gathered by clouds and was good cold. Though it was a long drive for us from Legian, Kuta but it was a worth visit. Don't miss the speed boat ride which will cost 150k IDR. The boatman will stop the boat right at the stop where he might offer to click your pic, it's a scenic one to get clicked
(46) This is a lovely place, very calming and relaxing. There were quite a few tourists around but no big crowds. Wonderful gardens and good photo opportunities. The garden is full of intricate statues and pretty flowers. You don't need to wear a sarong and the fee is 20k. Well worth visiting.
(47) A MUST visit temple. Huge with an amazing view to the river. A lot of photogenic scene. You can ride a speed boat as well for extra fun.
(48) I would definitely recommend going to the temple in the morning as it gets quite hot by lunch time. \nThe walk along the coast is stunning
(49) This complex was built in the 17th century by King Mengwi and it was dedicated to the gods of the lake. The temples on the water are beautiful as are the gardens in the complex. It is a very tranquil place especially if you are able to hit it when there are very few tourists. We really enjoyed walking by the lake and also looking at all of the beautiful trees. I also loved the stoned side walks with mosaics. That adds that final touch to a perfect garden. There is no fee to enter the complex.
(50) The views are nice, hard to take it all in with so many other tourists crowding the place. You also cant walk up to the temple unless the tides are low, unfortunately I went when the tides were high which deemed the long drive there almost pointless to me
(51) This is THE iconic temple in Bali. It's on all the postcards and the one that everyone talks about visiting. However, it's far from where you are likely staying in south Bali, but it's worth the drive up. Definitely package it with other places like a rice terrace or nearby waterfall. There are lots of places to eat nearby. It's a bit cooler but refreshing. No need for a jacket. Entry is about $4-5 USD. No sarong required though encouraged. You don't need a guide. Just pay the entry and walk around yourself. Stunning views of the temple, beautiful flowers, with mountains in the background.
(52) This place is worth a stop for sure, but be aware there are many people visiting. The temples are amazing, don't miss the Buddhist temple in the center.
(53) The temple was quite a walk around it and anyone who has difficulty waking would probably struggle a little and then add heat and humidity to that also to make it worse. The views were amazing but the temple itself wasn't overly interesting and was overpriced at $20 aud (200000 rupiah). I wouldn't say it's a must see attraction. Both men and women need to cover up.
(54) I've heard that many people go to this temple at sunset so we decided to go at sunrise to beat the crowd and avoid the heat. Best decision although if you are going for photography purposes (as we were) please note that the sun does not rise seaward.\n\nBesides a few other people we had the place to ourselves to take photos and wonder through the gardens. Non of the markets were open when we arrived so we weren't hassled. When we were done (around 9am) people started to flock in and all the markets had opened so we had some breakfast and get out before the heat struck. \n\n30 minute drive from Canggu and worth it.
(55) Located about 1200m above sea level. Windy and slight chilly with an awesome view of the temple on waters. \nBeautiful!
(56) A very beautiful hindu temple.\nThe day I went was luckily to me of encountering praying rituals there. People dressed in white for rituals and green for instrument players. The harmony of people and the heaven mingled around the place. It was really really nice. \nWe paid for circling on the lake, and took some pictures from the water. It's a bit different from the point of view on the land, but still the temple is awesome.
(57) The views are good from the lake surrounding the temple. But the entrance fee is quite high... 50,000 per pax. And Inspite of this the temple is not maintained.
(58) As all guidebook says, ”best visit is at sunset”... well, Im a crowd beater so I went at 7:30 am in the morning to check the Temple out... and it was priceliess... it was prestine, quiet... the sun was just up, all hardcore sales people that otherwise chase you for sarongs and T-shorts was asleep.. so was the chinese, russian and other tourist. I basically got the whole temple to myself, the sights, the garden and the ocean... FANTASTIC!
(59) I went to the temple before leaving Bali. It's a short visiti there but I'm glad I had visited. This beautiful temple is a 'floating' temple. When i went there, it was high tides and I could not cross to the temple but it was a nice experience to walk further out to take picture of the holy temple. Lovely place for sunset as well.
(60) Probably the most visited tourist spot in Bali..worth visiting for the beautiful rock cut temple..terrific water views..must c whilst visiting Bali..gud for bargain shopping for souvenirs !

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) We walked to the temple from our hotel which took an hour along the coast. Fortunately we walked on the low tide and it was very picturesque. A great morning with an interesting temple to reward our stroll. The temple only needs about 30 minutes to investigate and could be part of a day tour on Bali. Better to see at sunset.\n\nFood centre is not always open and very quiet when no tour buses there.
(2) Nice temple within the lake, unfortunately it was low tide . So wasn't able to see it at its best.\nBut worth going.
(3) As far as temples go we had done an all day trip of the island and this was the last stop. Having seen 4 different temples this day they all begin to blur into one. However the surround and the time of day we went was lovely. Watching the sunset over the sea was pretty awesome. It was very busy though, easy over 1000people. After the sun set we went on a wonder experienced the local monkeys who for us who listened to the rules were not a bother however if you don't listen to the rules be prepared to have you stuff stolen/attacked by them. We had a fun evening here
(4) It is a temple in the sea with nice view and nice surrounding . \nIt is a bit far from other activities in Bali . \nWe went there about 2:00 pm and fortunately it was not crowded .
(5) It was normal for me the temple is in the sea u cant go to it, u can see it from distance from the land which us soooo crowded as if its a park full with shops and its too humid there. Just took some pictures ( the view was nice) u do not need more than an hour going around , taking pictures and drinking something ( there was restaurants opposite to the temple but didn't try them).. Ahhh there u can take a picture with a real big snake ( 50,000 with ur caners; 100,000 with snake guy camera) + theres a big bat too
(6) We expected to be over-awed by the ancient temple and we were! Truly magnificent despite the throng of visitors.............
(7) Don't waste your time and money there unless you want to pay 60000 Rupiah to visit a fake village of tourist shops and end up blocked by a \no entry\" sign in front of the entrance to the actual temple. Total scam."
(8) a large lake, a beautiful temple with a neat attractions park, unique, spacious, comfortable, cool, complete with restaurants, suitable for families with small children
(9) They changed the entrance fee to 50.000 Idr ea. person (Tourist) while locals is for free. \nHowever there is an other way!\nYou can drive down the road about 50-100 meters from the big entrance parking area and you will find alot of small trails leading down to the lake. If you follow one of those trails and walk along the waterfront. You will be able to enter the temple from the \back entrance\" which is free of charge!\n\nThe temple is very beautiful along the waterfront. We just couldn't help feeling a bit tourist trapped."
(10) Go early to avoid the crowds\nPeaceful, we went there when it was dry season so the temple surroundings was dry. Was able to go near the tower.\nBeautiful and peaceful.\nDefinitely one of the nicest temples in Bali.\nSuggest that you go around the complex, there's some nice gardens around.\nDefinitely Worth a visit!
(11) We went at about 5 pm. Walked through the market adjacent to the beach. Didn't buy any souvenirs anything as looked pricey. Did get coconut water and ice cream. Then we walked to the beach. Beware of a snake charmer with a huge Snake on the way! I bought my favourite gift from Bali here. A plastic frangipani flower clip. Further down, you can see the Tanah Lot temple. With the sun about to set, this truly was a spectacular sight. Then we braved the slippery rocks in the sea and walked to the temple. Please take care of little ones as it was a bit risky. We wore easily removable slippers which made it better to walk. At the temple there are lots of photo opportunities. There are priests selling holy water. The way up to the top of the temple was closed which was a bit of a disappointment. Overall, amazing place. Don't miss!
(12) Stunning temple at the side of a large lake. Quite small but worth a visit as iconic Bali. Bit of a trek to get there with very windy roads. Once there - guides are very keen to take you to the 'buffet' restaurants but we thought expensive for very basic mass produced foods. 100m up the road - a la carte very reasonably priced restaurants with excellent food and service with great views of the lake.
(13) Very touristy. There is no information posted to learn about what you are seeing. The place is well kept, but quite strange with A Sponge Bob statue to point to the exit. A bit disappointing. Shops near here are very over priced for the area.
(14) beautiful temple and you can take a photo while you wash your face with spring water then the pilgrims stick rice on your forehead as a blessing . sadly you are not allowed to enter any of the temples there. but i have to say it is amazing
(15) We arrived during one of the \Ceremony Days\" and were rewarded with seeing many locals dressed in colors representing their village/town.\n\nThe Temple grounds are quite striking and the location next to the lake is a refreshing break from the heat of the day.\n\nBring a camera, because a cell phone picture doesn't do it justice!"
(16) - Beautiful view. The cliffs and water crashing are excitingly dramatic. \n- You can't see the temple close up unless you are a worshipper. \n- Take a drone if you can. We got great footage and it's the best way to see the temple!\n- A bit overrated. It's nice to visit and would recommend, but don't get your hopes up too much.
(17) As the title say, it is very hot. Try to go just before sunset and the view is better. Also be prepared to climb the stairs. Entrance is 20000 and a Sarong is needed. The main area is fenced. Unless you are staying in Nusa Dua, this trip is not really worth the time. There are many other temples to see.
(18) This is the place you must visit before getting out from Bali! Around 2HR from the center of Ubud, but thats not the problem because when you arrive at this temple, everything look fresh and relaxing with very wonderful environment and landmark in which you have to take a selfie and enjoy life at the inactive volcano's lake!
(19) This is one of the most photographed temples in Bali, and it is easy to understand why.. Very beautiful sight, with a nice garden to enjoy and relax. A little crowded on Sundays.
(20) Temple Surrounded by Sea. Nice atmosphere with High photo taking view! You can get top view photo as well as down to top view ! Sea with stunning waves and the nature itself made you attractive to roam there. Worthy and Must visit place.
(21) We visited 7 temples in Bali, and this one was by far the worst. It is just one big tourist attraction. On the contrary to other temples, they even had people selling souvenirs on the temple site itself. Although we went early in the morning, it was already very busy with Asian tourists, making it hard to make a picture without tourists in them. The temple itself may be impressive at sunset, but during the day it was the least impressive one from the temples we had visited. Had we known this beforehand, we would have skipped this visit.
(22) I didn't actually go to the temple as I'm not one for overly crowded touristy places so instead my husband and I booked lunch at the beautiful Pan Pacific hotel next door and had an beautiful view of the temple from afar while enjoying a lovely lunch. The grounds at the Pan Pacific are really beautiful and the golf course is situated over the cliffs of the Indian Ocean. We walked out along the path and had a gorgeous view of the temple.
(23) One should go here before the sun sets because that's what this place is very spectacular about.\nThe long low wall along the cliff edges provide protection and plenty of good vantage points to see the sunset with the temple on the side.\nParking is ample but can get very crowded. Entrance fees are reasonable but is a bit high if one just comes here for a few minutes of sunset viewing.\nMonkeys abound which made me and my family uncomfortable because they grab stuff from people. We saw one grabbed the eyeglasses of a tourist.
(24) Here is another popular temple for sunset. It is built on an off-shore rock - if you are lucky, you will see the sunset in low tide, so the entire temple sits in the middle of the sea! A lot of people stop and wait for the sunset when they see the temple; my recommendation is to keep going along a narrow path with shops on both sides. Go early, pick a restaurant, take the outermost seat, and then wait for the sunset. You will be seeing the sun falling down to the Tanah Lot - that's the picture you see on postcards!
(25) How often can you a visit a temple built in the sea and walk the low tide to get there? Not often. This was a very cool experience. The only downfall, all the haggling people looking to take a picture or sell you something. This did take away from my experience a bit - more so than other places I visited. Other than that, a very good visit.
(26) Went here about 10 years ago and was a great spot to see sunset and enjoy the temple.\n\nFast forward 10 years, just like a street from Kuta square, markets everywhere, so commercial always looking for the dollar to sell something. It was also under construction. I guess if you wanted to see a temple there are so many more in Bali that are more appealing than this.
(27) Try to go very early before it gets HOT and crowded.\n\nI guess it is hard to see this attraction in peace as there are always so many other tourists around any time of the day. But definitely try to go early if you can.\n\nWe were going to see it in the evening but once we realized how hectic it would be getting around and especially on leaving the temple after the sunset, we were glad we decided against it. \n\nAside from the temple building which you view from the distance, there is nothing much else to see there. So take a quick tour, snap your photos and leave.\n\nA must 'quick stop' on your list.
(28) A place you must visit. Enjoy the scenic beauty of this natural temple. The waves touching the feet of the temple as if they were seeking its blessings. You can easily spend half a day here seeing the temple very closely as well as moving around to get other views. The surroundings also are magical you will get engrossed. Just one thing do check the \ TIDE \", if its high tide you cannot go in the temple, so best recommended time of visit is during low tide"
(29) The temple is located on a cliff. It has magnificent views overlooking the Indian ocean. Traditional Balinese architecture temple. There are some dance performances happening , as well as Ramayana.
(30) The temple is located in the Beraban village of the Tabanan regency, an approximate 20km northwest of Kuta, and is included on most tours to Balis western and central regions. \n\nIt would be nice to go during sunrise or sunset so you will appreciate the beauty of this temple. I wanted to go back here next time as there are a lot of on going renovations along the area and it was high tide, waves flood the causeways making it impossible to cross, during my visit. According to my tour guide: At low tide, you may cross to view the rock base where the legendary guardian sea snakes dwell in crevices around the Tirta Pabersihan fountain. This natural spout is the source of holy water for all the temples in the area. Priests at the fountain bless visitors by sprinkling holy water over their heads. You can cup your palms and take a sip to prove it is amazingly fresh water. So, I'm looking forward on my next visit to experience these things.
(31) Recommend going in the AM as very hot and busy!\nGreat view and temple\n\nNot a lot to do once you've seen the temple
(32) This place is famous for its sunset. The views are good but there are hoards of tourists. Tourists are not allowed in the temple also. Good place for some clicks\nMake sure you reach there before sunset time.
(33) We hired a driver for the day from Ubud and stopped here first and then the Jatiluwih Rice Terraces. In hindsight it was a long time in the car and i would have just done the rice terraces as they were stunning and i wish we had had more time there. \nThis temple is very pretty, but i wasn't blown away by it, its very busy with tourists and there are more impressive sights around Bali i think!
(34) This beautiful Balinese temple complex is the highlight of our day tour at Celanga bawang. It has everything in terms of temple on the lake and the garden within the complex. Well maintained and well developed for tourists.
(35) The scenery was amazing, the view was great, the temple itself uncertain since it was not accessible. It didn't seem interesting other than its location. Loooooots of people taking pics and looking for the best spot to watch the sunset, which was nice but at some point clouds made their way in front of the sun. Beautiful spot and relaxing if it weren't for the crowds.
(36) The view points are photogenic however entry to temple is restricted. The temple is located at cliff so offers good place to view sunset.
(37) Ideal place to visit, 60.000 rp./person. I think people should go here when the tidal dơn so you can go to the temple to visit
(38) We booked a half day tour with our hotel for $50 probably cheaper on the street. Our driver spoke great English and stopped everywhere we wanted we all got blessed with holy water the temple looks amazing am going back to see sunset over the temple. Also there is an art shop as you enter the best art I've seen in Bali yet hand painted not screen prints like most in ubud and kuta. Only one road there traffic can get hectic.
(39) Temples on Bali are rather unique: not massive monumental halls, but rather like feather shaped light pyramids or even pagodas, so often set in a beautiful landscapes and in this case a wonderful waterscape!\nFor me this is Bali's number one temple. The grounds are extensive so that even with many visitors you have a sense of peace and calm. We were entertained by a superb Gamalan orchestra, and witnessed one of the many colourful processions, and enjoyed a lovely meal.
(40) Beautifull temple. Worth to visit and ejnoy all the views.\nThere is Nirvana golf course just few meters south from the temple.
(41) Of course you need to go and see this temple / area. But it's more of a short-stop than a real sightseeing experience.
(42) We only visited the first two temples on our visit as we didn't have time to see them all (it's about 4 hours all up to climb through all 9 temples). I'd highly recommend getting the local guide service that is offered, as we learnt so much more about the temples and Balinese Hinduism than if we'd just walked ourselves.
(43) One of the best spots of Bali. Lovely ambience, pleasant weather with amazing view of the temple and the lake.
(44) Was the first place I've visit in Bali and was really nice. The temple is on the lake, next to mountains so you have a fantastic view. It's really quiet. You can spend some time there and walk around to see everything
(45) So the temple site itself looks interesting, but there were tons of people in the area. It doesnt seem to me that this is a place built or meant to host a lot of people. It's almost an eye sore to me. L
(46) This beautiful temple sits in the ocean. People are able to go to it at low tide when the beach is out of the water. It is dramatic when the waves wash against it at high tide. People are able to sit on the cliff and enjoy an evening drink as the sun sets behind the temple creating a lovely scene.
(47) If you come when it's low tide, you can pass to go to main temple on the sea.\nThe temple and the view here it's really great and really beutiful.\nWould like to take photo with snake? There is long snake on site you can take photo with ;)\nPlease remember to use Sarung/Kamen if you visit the temple.
(48) We came earlier than the crowded sunset times, which I highly recommend. We got a good parking spot and there weren't too many people milling around. Make no mistake though - it's another very touristy place. But, it's unique enough that it's worth visiting once. We were there during low tide, and I think it would be better to see during high tide.\n\nThere was a spot where they blessed you with some water and put a few grains of rice on your head; you had to do this (and give a donation) to enter onto the side stairs of the temple. We thought you'd get to climb up to the top once you got past that, but what we discovered was that you could only go up a few steps, once it curved around the side the rest was past a locked gate. \n\nIt was worth doing once, but I wouldn't go again.
(49) The temple itself is beautiful, but not only, the park where others temples are, is also very nice.\nThere is a lot of people but it's not to bad.\nRestaurant around will charge you a fortune for food and drink, when you can have it twice cheaper out of this place.\nGood for a stroll in the morning when its not to hot.
(50) This place is worth a visit. The view is magical you can see the clouds just above the lake next to the temple. The temple is clean and well maintained. Visiting this place early in the morning is recommended is you want to beat the crowd.
(51) Go see it at sunset, such a beautiful place. The markets here a great and lots of places to eat. On low tide you can walk to the temple and get blessed by the monks.
(52) Temple is extremely nice and located on a cliff. Difficult te get a taxi if you want to leave after sunset.
(53) Tip: check the tides before you go, make sure it's LOW tide so you can walk out to the temple! Hang around until sunset and score a table early to enjoy a sunset drink and dinner for a reasonable price :)
(54) We went there midday to see the temple at low tide so we could cross and enter the temple WRONG. You are not allowed to enter only look from the rocks upwards yes it looks nice and at sunset it could make a good photo if it was not for the 1000s of people there yes I am not joking 1000s so you have 100s of shops selling all the same tourist stuff and eating and drinking places and crowds lots of tour guides with flags I'm the air all pushing and shoving down lines of pathways leading to the temple area where you meet 100s of people all hoping to take that one picture without people climbing all around its just one vast market place selling you stuff or charging you to enter the area or see a snake etc there are some gardens you could sit in and look out to the sea but the locals have all the shaded areas selling you more things yes I been there would not go again or reconmend
(55) Though I was a lil reluctant to visit a temple on my honeymoon, I went there as it was a part of my tour package.\nIt was one of the the most scenic temples I had ever seen. The temple is on top of the rock with vast ocean in front. The place just looks very peaceful and beautiful. You would love to spend an hour or so just to sit there and enjoy the view and calm.\nThis is one of the must visit places in Bali.
(56) The temple itself is no much better than other you see elsewhere in Bali, but the location makes it special, be aware you have to do some steps so comfy shoes or flip flops are a must. Also careful about the monkeys they steal sunglasses, water bottles and other but if you are careful they make great photo opportunity, The temple is on the edge of a cliff therefore the beautiful landscape of the coastline at sunset make this trip worth the drive.
(57) This is a worthy place to visit. After long journey of about 1.5-2 hrs ride you can relax here. During high tide not possible to enter temple but low tide can enter temple. Nice place to click & selfies.
(58) It's just beautiful. The day when we visited the temple the weather was awesome and it was not at all hot. The mountains and the lake in the background are really eye catching.
(59) I was blown away by the view from this temple. Definitely worth the traffic it takes to get here. I will say that getting a proper tour guide around the island makes your trip that much more memorable. We had a lovely tour guide named Ketut which made our trip that much more fantastic by his knowledge of the island, great English and easy going attitude. We couldn't have been more appreciative for our tour - We actually hired him twice during our time in Bali ! If anyone needs a driver/tour guide around the island, Ketut is your man. Trust us when we say our trip to Bali wouldn't have been the same without him. Contact him at kacer67@yahoo.com or Facebook - Hakunamatata Ketut. \nAll in all, Bali was just the trip we were all hoping it would be. We were able to see the classic tourist sites while taking small detours to lesser known (and absolutely beautiful) sites around the island
(60) This is a must visit place in Bali, beautiful temple, beautiful sea wave. ..you just can't stop snap photos. ...if you never visit this place when you go to Bali you then you should go again!

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) We should have done more research but we were a bit surprised to find you have to pay for entrance and on top of it, pay to see the traditional sun set dance.\n\nFor the price you pay, you would think they could have a toilet door that locks, with a toilet seat, with toilet roll that isnt soaked, and a stall that isnt flooded, with hand soap...\n\nThe temple was underwhelming and we looked around wondering why we bothered to come. The only redeeming factors were the sunset views and the monkey sightings. While I can appreciate this might be someones must-see, I have preferred other temples Ive seen.\n\nThey give you a wraparound to cover up with in case you dont have one :)
(2) Not worth the visit. Over commercialised, entry fee, people everywhere. Paid to use toilets and they were filthy. Traffic is horrific. There are 2 major points, each with a temple on them, which you can not go into. We didn't even wait for the sunset as it was so overcrowded we left early to beat the traffic. Your better off seeing the sunset off a beach with less people and view a quiet local temple instead.
(3) We visited this place 2 days back. Loved it as weather was great and views are good with heaps of photo opportunities. We thoroughly enjoyed the visit. We wanted to see the sunset but due to clouds we couldn't but still views were too good. \n\nWill highly recommend people to visit this place. The only disappointing thing is that temples in Bali are closed and not allowed for visitors. So you can only see them from outside.
(4) Very nice surroundings. The lake is beautiful and the temple itself is a very nice sight. highly recommended
(5) Beautiful place worth a visit, and if you're lucky it will be while the temple is being used - adding lots of colour and vibrancy!
(6) A temple at the top of the mountain with stunning views, we definitely recommend a stop even though its quite far from most places. The architecture is stunning and its very peaceful as they were not many visitors. PS - get a driver to take you!
(7) WOW - amazing markets, amazing sights. You walk down to the water where and look at the beach and temple. It is really beautiful. They will take your photo and frame it for a whole 20,000 rupee ($A2). They take the photo, print it and put it in the frame right there and then. Fantastic! The markets have everything and I mean everything. A great bar at the top so you look over at the temple and down to the rocks and little island. Was fantastic for an outing and so worth it
(8) You can do all your souvenir shopping here, it's quite well priced.\nWe could not find any info on the temple when we were there - it would have been good to know why, when and how it was built and the history.
(9) A great place to end your day in bali. Must go if you are an avid photo taker! Recommended for sunset than any other time of the day, place is very much crowded with tourist at times, but still there are many peaceful cafes with sunset views and temple, entrance fees is quite nominal 10000 IDR i.e 1 USD per person. there are lot of shopping places near the temple for local handicraft and fresh coconut is must try.
(10) Important religious site in Bali.. this Hindu temple has a tremendous setting on the coast just north of Seminyak... great in the early evening to catch the sunset... some vendors and food stalls.. not overly intrusive....plan to spend a couple of hours enjoying the view.. you can get to the beach as well ...surfers were catching some good waves as the sun was setting
(11) We loved our visit here. The view is stunning and if we had had the time would have loved to have done the climb that took you around all 7 temples. However we didnt have 4 hours to do this so just stayed with temple 1, made famous by Instagram. It was very lovely although rather busy and we didnt join the 2 hour queue to get the now infamous photo. Definitely worth a visit though.
(12) Picturesque place by the ocean. Great views. U cannot visit the temple but can see the temple on a rock . Temple is open only once a year but the view is great.
(13) The temple itself is beautiful and spectacular during sunset. It gets difficult to get to when the tide is high. There is very limited seating especially in the shade
(14) We got here early and found a good spot overlooking the temple. Not sure if it was because it was a thurs but not too crowded. \nSunset a little disappointing but think that's because of the volcanic ash. \nGreat bargains to be got for shirts at the stalls, they were around $3 each
(15) A rock formation which is home to an ancient Hindu temple. It is a beautiful setting and is famed for it's sunsets which, unfortunately, we did not see as we were on a Cruise Excursion and time spent there was very limited. If you get the opportunity to visit, allow at least two hour to see all aspects of the temple area. To reach the temple area you will have to walk through streets of souvenir shops all selling the same tatty stuff but if you can ignore that you will not be disappointed when you get into the temple area. You can cross to the temple at low tide but you cannot enter
(16) The temple is beautiful but I wouldnt necessarily rank it as a must see or one of the best things to do in Bali that I see it mentioned as. \nThe place is marred by the large network of shops with overly assertive selling that has grown up around it. The worst part was the snake farm (animal prison) with lots of large snakes, owls, etc all in tiny, smelly cages. How anyone in their right mind can think its fun to take their photo alongside this act of animal abuse is beyond me. It made us sad and spoilt the temple.
(17) On our way back from the Edge in Pecati, our driver suggested we visit the temple.\nTourist buses everywhere, paid the fees , given the traditional outfit to wear and joined the never ending tourist lines to see the grounds , temple etc and monkies!!\nInteresting , but maybe pass...
(18) Beautiful temple that the locals consider one the most sacred places. Absolutely recommend visiing it!
(19) Entrance fee is 60,000 IDR per person and parking fee (2000 for bike and 5000 for cars). However, you're not allowed to enter the temple itself and have to pay for the toilet (theres a free toilet near entrance). Beautiful place particularly during low tide and sunset. The site of the temple was wonderful! You can see there one of the most beautiful sunsets. But full of tourists. Make sure you know when the tide will be in so you aren't disappointed when you can't get closer. You can't actually go into the temple area and to even go up the stairs you have to wait in line to be blessed, for a price. Honestly, I've expected better after two hours of driving and 120,000 IDR entrance fee for 2 persons.
(20) This temple is a must see. The statues and temple architecture is lovely. It is worth every step up, whether you chose stairs or roadway. The views are breathtaking
(21) We were there at high tide so we couldn't go over to the temple itself but it's quite an experience to see it from a distance with the water being in-between. \nVery exploited though, wish there were some nice temples without all sellers being on you constantly. \n\nIf in Bali, don't miss this opportunity to see this temple!
(22) Magestic views of the coast here. There is a fair bit of walking involved but well worth it. The temple is situated on the top of a cliff and the photos you get here a awsome. It cost 70 000 idr for myself and two young children. About $7 aud .if you require a good reliable driver we used Putu he has a nice car and took us all over Bali his number is 081353249976 if you are calling from oversees remove first digit add area code eg: from Australia +62 81353249976 . Enjoy your time in Bali☺😆☺
(23) Its a beautiful location. It really does not matter if you visit it in the morning or in the evening. \nWe had been there in the morning. Although there was crowd yet the morning light allows the temple to present a different scene more serene and calming. This is must visit destination while in Bali.
(24) This is probably the best temple you will visit in Bali. Sure it's just another temple in this island where almost every hindu family has one in they home. But make sure you visit this one, you will love it. Do it in the morning. You will have the place to yourself. \n\nThe peace and serenity. The tranquility of the water as your backdrop and the mountain behind the lake. Plus the cold weather...that is compared to the rest of Bali. This place is a must.
(25) Loved the terrible Shiva! Very different! The best part was to swim in the pool! So refreshing! If you like statues, this is the place for you...
(26) Avoid this place on a hot day and during high tides when you can't enter the temple across the sea. we drove there and was not disappointed overall though.
(27) Excellent place to visit. Not only a temple, but a beautiful attraction. Glad I read some good reviews about this place and added it to my itinerary. Top of all, the weather was good, so it was enjoyable.
(28) We really enjoyed visiting this temple and lake! Theres lots to see and its all very pretty \nI highly recommend this trip!
(29) Must visit for people touring Bali. The temple looks stunning in the evening. Good place for great photographs. Along the way you get some good shops for making small purchases.
(30) Must see venue\n High on a cliff. There are shops and stalls selling goods . The temples can be photographed and you can sit on the lawns\n Can be very hot. Beach below for surfing . Do not miss if in Bali
(31) This temple is quite beautiful and can give you a feeling of peace with the beautiful surroundings. This temple is built in a lake and the lake is surrounded by mountains,so the view here is very very spectacular. Near this place, you can go to the strawberry stop to try some strawberry food like juice, milkshake if it's the season for strawberry. And this scenic spot is on the mountains, so you'd better bring your clothes with you because it's a little cold and sometimes rainy here.
(32) We have visited this temple in the begining of september. The climet was great not so hot with a little wind. \nThe park or garden how they called it was breathtaking. The pools are nice and clean with a lot of fish. If you want you can even take a bath in one of the pools. \nTo see everything - garden, pools, temples - and have a little rest i think 2 hours is enugh.
(33) Most awesome location for a temple on lake. it was a rainy when i visited the place so couldnt enjoy it. the best time to visit the place when the sky is clear.
(34) A visually stunning temple located directly on the beach, but it can be difficult to fully enjoy the charm due to the hordes of tourists and vendors hawking their wares. While we were there at low tide, our guide advised that when the tide is in the main temple will be on an island promontory surrounded by water. I am not likely to go back to this attraction again simply due to the crowds.
(35) Lovely temple, it was part of an Airbnb experience. It was pouring rain when we arrived but we waited only 15 minutes for the downpour to end.
(36) its like bali, sunset,beer and shopping or just relax....its up to you....I liked it ...its what you want....say no if you dont want it.....pay no more than $3-00 to $5.00aud for sunnies otherwise tell thm no and mean no...they are nice but we need to tell them our price and thats it, cos they will come down....make sure yr not arguing with them,,,,,cos sometimes its like 20cents to us.theres a guy called woody woodpecker....sellling carvings...( loved them but he started out at $50,,,,I said $20 and he left and came back 3 times,,,,He is very funny....I brought it for $24 and had it shipped back at a local post place...only about 15$
(37) Went for a few hours on a trip round Bali.Saw some beautiful temples and very old stone sculptures.Had to wear a sarong as a religious thing but was all part of it.Good visit
(38) This temple by the beautiful Beratan Lake and surrounded by mountains has to be a must visit in your Bali itinerary. The place is serene and the temperature is down by a degree or two. The setting is romantic. Don't miss it
(39) A must visit in Bali. You just cannot miss this beautiful temple. Mostly crowded all through the day. You cannot enter the temple as a visitor. Lots of restaurants outside the temple compound.
(40) There are many other more interesting temples to see - ones that you can actually see! Here you have to make your way past unusually aggressive vendors hawking the same mass produced stuff that you see everywhere, and you can't really see the temple once you get out to it - it is up on a high bit of land and closed to the public. The place is crawling with tourists - more than at other more interesting places we visited. It isn't worth the trip.
(41) The temple was amazing to see and the whole area was very peaceful and it's fantastic to see the local people worshipping. It is a great, unmissable spot in Bali, don't miss it!
(42) 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.
(43) The temple on the sea is simply an exceptional temple. And it's a must see... picture perfect. Strongly suggested that you visit this during low tide & enjoy the sunset. The beauty can't be expressed in words or photo. Have 2-3 hours in hand.
(44) The cliff-edge temple overlooks the coastline and relatively calm, blue Indian Ocean waters. The views are breathtaking.
(45) This has been said before, but in order to grasp the situation and see the temple and it's surrounds, I had to witness it for myself.\nAnd yes! Whoever wrote that this venue is a huge cash cow was absolutely right.\n\nEntering the carpark almost gave me a heart attack as there were so many coaches parked up it resembled a bus station! .... and all these coaches had people in them, so that equated to many hundreds \n\nThe only way I can describe the entrance and the route to the temple, would be like entering a factory outlet shopping park!!\nThere were hawkers everywhere trying to sell cheap tat which was most off putting.\nWalking down to the beach area and towards the temple there was a cave which supposedly housed a \holy snake\" but in order to see it you had to part with more money... but.... I think I know by now what a snake looks like, even a holy one at that.\nWalking further up the hill towards the cafe we encountered more shops selling more tat... crazy really... but many of the shops were selling full Native American head dresses for some reason! \nWeird that..\nSo, a word of advise ; unless of course you desperately want to walk round with hoards of people & being accosted by hawkers, I would suggest you read up about this temple and look at as many pictures as you can - or better still, buy a video so you can experience this place in the comfort of your own armchair.\nBut, having said that, I am pleased to have witnessed the hoards et all for myself and the saddest part of it all is,that you can't even get into the temple to see it.."
(46) The temple is located on the sea, and offer a fantastic view ! You can't go inside as it's only for prayers, but you ca' go really close to it.\nThe olace is big, walk around the temples, there are amazing spot. And a little village all around.
(47) I can stay here all day just to sit around by the lake and enjoy the beautiful air..\nThe temple is in the middle of a beautiful lake.. great place to take great pictures.. \nThe entrance is Rp.20,000/person.. \nclosed at 6pm..
(48) Definitely not the best part of my glorious trip to Bali. Went in the morning and it was ridiculously crowded. I'm starting to think the selfie stick is the worst invention ever. I was not aware that you'd have to wade through the water to get to it, so I basically took pictures of the beach and the back of the temple (I guess? no idea) and left. I think I spent 20 minutes there after a 90 minute taxi ride from Ubud. I was on my way to Canggu, but I could have skipped this and not missed anything.
(49) We saw the temple at low tide about midday. Bad call. It was intensely packed with tourists making it impossible to approach, then we discovered it was forbidden to enter anyway. Nice for a happy snap to add to instagram but beyond that, there are nicer temples elsewhere. I think it just gets a lot of hype because of the location. Its not one i would recommend to friends. The grounds surrounding the temple are actually a lot nicer but be aware there are a lot of pick pockets nearby.
(50) The temple itself is very beautiful, but also very small on the water. \n\nThe complex surrounding the actual temple (inaccessible to tourists) is full of cheesy statues. Lets just say we were equally as intrigued by the corn husk garbage cans as we were the temple. Theres also a strange photo op with a giant bat advertised, which we were thankful was closed (because it seems cruel, and maybe I wouldnt live to write this review).
(51) This is good temple but not as good as I have been told and some of reviews I saw on this forum.\nTemple is having best location, on the rock in the sea. But dont get your hopes high after seeing all those beautiful (photoshopped) pictures posted online. \nTemple itself is old. It is crowded and you can rarely get oppprtunity to get good photo. \nThing to remember - check low tides times or you may have to wait for long time to get to the temple.
(52) Very unique temple with breathtaking views. The waves here are amazing but could be dangerous if too close, so be careful when getting close for pictures. Their restaurant stretch offer very nice views with small animals overseeing the temple from high ground, perfect for a drink with loved ones at sunset.
(53) The place is beautiful but I expected more of this so-called temple. I come from a trip we visited several temples (Borodubur, Angkor temples in Thailand) and really lacked a bit in the temples that met in Bali. They're cute but not to compare with what is seen for example in Angkor and even in Java with Bororubudur Prabanam and places that are beautiful.
(54) Beautiful temples by the seaside. Go during sunset where the colours of the sky will make it a photographic moment.
(55) Not much here. Another temple and far from Ubud. We also stopped at the twin lakes which was another let down. Lots of places to do those selfies you see online but nothing of interest to us.
(56) The Temple and surrounding Temples within the compound were simply stunning and the view to the ocean was magical. \nI do find it sad though that so many peoples footprints have and will go over this sacred ground including mine! \nFor those with walking disabilities or pain, some of it is up and down stairs and you can walk quite a way depending on how far you want to go! There were way to many people for my liking at sunset but we all had the same idea I guess!
(57) 75k entrance which is more than most temples around Bali. Very different from other temples, it has more of a “national trust” feel about it. Temple, coffee? Restaurant, gardens, kids areas etc. \n\nAdditional things you can do there for more money - e.g photo spots, petting zoo, owls etc. \n\nThe area is pretty and we had a nice time but it is a trek from the areas most tourists stay in so if travelling this way I would plan other activities to go alongside. I wouldnt travel all this way for just this
(58) crowded. bus charters. pay for WHAT. The temple isn't available to actually go up too. its got a bunch of guys sitting around acting all powerful. the natural beauty of the area is lovely but its now over shadowed by making money and business. There are plenty of other temple's for you to visit without having to pay for the privilege. DON'T. Religion shouldn't be about money to enter a location. There are restaurants and markets haggling for your IR.
(59) THis was an experience of note...you had to walk accross the water(as in the bible.) into this temple to get a blessing...so many people around...there was presence/ ambience unexplainable.
(60) A must visit Temple. Also very nice scenic beauty. On the sea and hence still more attractive. Good exercise also.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) This is definitely an experience! We got some amazing pictures from this trip. Lots of trees so its very shady, even on a hot day. Beautiful temples! The staff are very helpful if youd like a one of a kind picture. Do your research and make sure you arent wearing anything shiny or anything that dangles. Theyre very smart animals. Theyre literally everywhere and seemed to be quite relaxed. Even the moms with babies would cross your path with no qualms. Definitely enjoyed the experience on our honeymoon.
(2) To get to the temple you first drive through small villages which gives you an insight into Balinese life and then start to climb very quickly up a steep hillside with magnificient views of the surrounding countryside. Having visited the \Mother temple\" on a previous visit you get the hard sell to take a guide which almost seems compulsory . Here the people could not be more charming and less aggressive. Deciding to go with a guide the guide was so pleased and excited when we said that we would like to book his service. His knowledge of the temple and Balinese Hinduism was good but for us it was a pleasure and an interest to chat to him about local life in Bali. Most people venture up to the first temple which is literally five minutes away from the entrance. You can take the whole tour and climb almost 2000 step to the top which is a good 2 kilometre walk and can take 2 hours plus to get there. For us the first temple was good enough which just the right amount of steps. The view even from here is fantastic. Our guide was able to explain the significance of the steps, the buildings and of course the offerings which are scattered about. The temple is very peaceful but comes alive when all the surrounding villages prepares it for a ceremony . If ever you get a chance to be in Bali for a lunar festival head for a temple where you get a totally different experience. Take a sarong with you as it is compulsory to wear one . You can hire one at every temple for a small charge. As it is a holy place then appropriate clothing and no bare shoulders is expected. An extra T shirt may be useful just to cover up during the visit and don't forget the water should you decide to walk the whole route. A beautiful temple to visit."
(3) This place offers some spectacular shore line views. I think the temple is best viewed from afar and definitely around sunset time.
(4) An unique spot to visit. Ancient temple, massive trees, very clean tourism object. They a promo during pandemic, have a try!
(5) The iconic landmark of Bali. Good for shopping and sightseeing. One of the cheapest place for shopping, even it is not as cheap as local price but much cheaper than many shops nearby other tourism sites. Reach the temple 1 hour prior the sunset start is good. You will have a time to visit a secred cave beneth the cliff for blessing. Then if sky is open try to take some place on the cliff (there are many restaurants) seeing the beautiful sunset scene.
(6) This was a cool temple, but it was a bit hard to see. The surrounding were beautiful. I really enjoyed the beaches close by.
(7) Great views but no temple to be seen or culture. Apart from the view there is nothing else to see or do. Not worth the trip.
(8) The Temple is off course very beautiful \nBut I really couldnt stand the busses with the very rude Chinese tourists . They have no manners \nAnd getting run over by the selfie sticks
(9) Pretty Cool but just so so. The tide was out so we could walk to the temple. When we got there we were told we had to drink holy spring water from some holy man before we could go further. In a country where 100% of the water is contaminated with coliform bacteria? I'm not drinking their water !!
(10) The temple is located on the cliff and offers a very good view of the sea. Sunset from here really looks nice.
(11) The hindu temple is on a rock in the sea which we able to walk to in low tide. There are 2 other temples perched on rocks, one has a beautiful arch rock formation. Great photo ops. A must see when in Bali.
(12) At the very southern part of Nusa Dua. View from the cliff top to the ocean was amazingly great! You won't want to miss this opportunity to visit this very beautiful cliff top temple when you are in Bali.
(13) I went to few temples in bali, this temple is the best really wooooow . Its design , greenish, and view was stunning and gorgeous\nGo there by early morning and have breakfast there bcz by lunch it will be crowdedddd \nEnjoy the water and tree sounds i cant forget them
(14) There is no water at all. The picture is made with a mirror. And if you want still one, you will have to wait for hours at the queue... and for hours i mean like 3 or more. There is this people who you can pay for and they will allow you to skip the line so allways somebody can have the photo before you. Also the gates are so small.... a total waste of time and disrespect of the temple!
(15) Hired a driver for 300,000 rupiah to take us from ubud. About an hour drive and he came and was our tour guide for the afternoon! Serviced about 3pm went and saw the temple at low tide, the other temple to the side was really beautiful as well! We hung around a bit , took some photos then say on the ledge waiting for sunset. By about 6:15 the sun was setting and it was amazing! After the sun sets, stay a little longer because there are a flock of tiny birds that come out from the cave for the night / there's got to be thousands! A cool thing to see! Definitely worth the trip :)
(16) ....but really its worth seeing this temple from the cliff tops away from the crowds, passing all the tat shops along the way, and there are many.\n\nThere you will find plenty of vendors with tables where you can sit in peace and quiet (we did not go at sunset, seen plenty in other places) have a beer and enjoy the view watching the tide go out and people walking about.\n\nThe roads are narrow and takes quite a while to get there so do try and visit if you can when its maybe not so mobbed, I would truly hate to see it after sunset.
(17) It costs 60,000 rupiah, about £3.50, plus 5,000 rupiah for parking. There is a fixed route which takes you past dozens of stalls and shops, selling mainly the same items - tat! There are also some upmarket jewellery and Ralph Lauren outlets, as well as eateries. Eventually, you get to the temple. \n\nThe setting is breathtaking, although you cannot get very close - partly due to the fact it is built in the sea (I assume people can walk across a causeway at low tide) and partly because you have to be a Hindu to enter the holy site. But there are lots of viewpoints and the crashing waves on the rocks make it very dramatic. \n\nThere are dance performances every night and you can also have your photo taken with a huge live snake!\n\nThere are calmer and better temples to see in Bali.
(18) It is a bit touristic but there is a big park around, so it never gets to crowd. It's indeed a magical place, the temple itself is beautiful, and the the surroundings are amazing, lake, mountains, park. Perfect place to have a relaxing time.
(19) After being in a bali for over a week . You can find better sunsets else where as well as better temples . It is also extremely touristy. And the pictures I found are much better then the reality . Can be very crowded.
(20) Nice view of temple with surrounding area. \nA lot of tourist.A place must of visit to Bali first timer. \nMany small shop outside selling souvenir with great bargain
(21) We visited this temple for sunset and it was just amazing. Temple itself is so beautiful. You can capture the sunset and amazing landscape and have memories for life. Dont forget to enjoy birds coming after the sunset from caves. It was so beautiful, numerous birds coming out and chirping. Its a must visit place in Bali. Definitely one of the most beautiful place in Bali.
(22) When entered through the entrance of the temple we saw breath taking views of the ocean. Surfers surfing, and waves splashing though making it more scenic like paintings.
(23) This was my second visit as the previous ones were during weekend sunset and was overly crowded and less fun. To avoid the crowd, this time we made a visit during Monday morning instead but guess what… the place was still crowded but bearable. \n\nIMHO this place is more beautiful during high tide as you can see the temple is surrounded by blue water while waves hit the rock of the temple. This will make your photos or videos looks more beautiful and dramatic. Contrary to the low tide where the temple is surrounded by mud and looks less attractive.
(24) The temple located almost on the edge of a lake, which is again surrounded by mountains, is very scenic. We reached here on Saraswaty Pooja day, when many young boys and girls offered prayers in the traditional dress. This is the second most important temple in Bali. Actually all the important temples of Bali are in the lap of nature..
(25) This is a very special place to see and where to take part in the purification. It is beautiful and very spiritual and could stay there all day, the vibe is definately something else.
(26) The temple itself has no interest but the view only worth to go there
(27) Pricier than other attractions at 50,000 IDR per head for non-locals, we found every cent was worth it as soon as we entered the grounds.\n\nLush greens, tall pine trees swaying, bright flowers, beautifully manicured grounds - it almost had a posh country club vibe. \n\nThe temple itself is not so large, and not too imposing. It is set beautifully on the lake though - every angle is just different and unique when you look at it and capture the image on camera. \n\nThe only annoyance here is that many tourists tend to hog certain spaces, so exercise patience to get that perfect shot.\n\nSit on a bench and take time to savor the cool breeze and reflect as you look out on the lakeside view.\n\nBonus - the stalls here sell many wares at super reasonable prices (remember to haggle, it is expected!), much cheaper than you can get at the Ubud markets or even from Central Denpasar.
(28) This is a gorgeous temple on the banks of Lake Beratan. It took us about 1.5 hours from Ubud. The drive itself was very pretty with rural Balinese villages and paddy fields.\nThe temple was beautiful with its unique Hindu and Buddhist influences.\nIt's very well kept.
(29) Went to visit old Hindi temples was a amazing to see all the old culture and tradition it must have talkedn many years to make and in awesome location. Make sure u go at low tide so you can actually visit the temple not just look from a far.
(30) The temple is breath taking. A must visit in Bali. However it's crowded. If you go in the morning, make sure you have packed a bottle of water and a hat. The sun dehydrates you very quickly. Many souvenir shops around the temple. Here you can bargain like never before.
(31) Loved my visit here, much better to have a loca or guide to tell you the history of the temple but well worth the visit
(32) We did this as part of the temples and rice fields tour. Best reserved for last. Lots of vendors before you reach the temple. We were there at high tide, was not desperate to walk to the temple. This one s the place to be for a sunset picture
(33) We visited this site an hour before sunset.\nAlthough it was crowded on a Sunday it was still worth it. The Temple is perched on a rock and when the sun goes down it is a spectacular site. We walked around for the hour and enjoyed the ocean views as the sun was setting. I think this is one of the most beautiful sites in Bali.
(34) We went here for about an hour, nice walk along the cliff with sea views, plenty of monkeys to watch out for as they like to take your stuff, great views of the sea and the Temple was worth seeing, only downfall its really busy with tourists
(35) Remember to take your camera. This temple is situated on a beautiful location, which is the main reason to visit.
(36) Temples can get rather tidious after a while, however, this one is worth the visit. What sets it aside from other Temples is that it's located in the ocean's. It's like something out of a movie. Very beautiful.\n\nAt the bottom you'll see a lot of people attempting to takes pictures at the ocean. Please be very careful. It can be dangerous. The waves are powerful and strong. It nearly pulled in someone whilst I was there in. Do not risk your life for the perfect selfie.
(37) We came to the temple when it was cloudy and really low visibility... The temple is small and not really special, but the setting is. We were lucky that after about 15 mins the sun came up, the situation changed completely and we had beautiful visit. \n\nGenrally i would not recommend traveling this far only for visiting this temple.
(38) If you are nature lover this place should be a must visit in your list in Bali. The striking feature ofcourse is the 16th century Hindu temple which is curved out of rocks. But apart from religious point of view this place offers a beautiful view of prominent water erosion on the rocks. Sunset from the cliff end is a treat for the eyes. Candle light dinner with your sweetheart is recommended. After the sunset the locals perform a traditional dance called cecac dance based on mythological Hindu story. Again thats really entertaining. I have also seen guys painting the beautiful scenery sitting on some rock tops. Photographer's heaven,lovebirds den,historian s pilgrimage,this place truely rocks in every sense!
(39) The view is amazing\nThe temple itself is nothing fancy, just like any other temple .\nbut the rocks shapes and the view are amazing.
(40) Arrived in the morning when sea level was high. I crossed the path to the temple when sea water up to my hips and waves hits me, so lovely...it's so beautiful. I was lucky because I experiences Galungan, Kuningan ceremony and wore their traditional \Kebaya\" for ceremony."
(41) The temple is on a cliff facing the ocean.. In the view you can watch the sunset, hear the waves breaking on the massive cliff and breathe in the fresh air. What not to love. The temple is peaceful and the views are stunning.
(42) Good to reach their around 4pm to explore all areas of this place along with sunset view and dance performance in evening too. Costing around 40k. Balinese dress needed to enter the Hindu temple on the coast of Indian Ocean. 1-2 hours needed to explore this place.
(43) We were staying in Candidasa and decided to go for this trekking instead of others that seemed more crowded. It was an excellent choice. When we arrived the guide informed us about the possible routes. It is possible to go without a guide, but we would recommend to pay one, as it is a good experience and chance to talk with the him not only about the temples but also about Balinese culture and life. Very few tourists and quite a lot of local people. Roughly 3h to see the first 6 temples. Amazing views. We left with the feeling of having been a little closer to the real Bali.
(44) If you are a photographer would recommend this temple but make sure you check on tides so there is water making for a better photo. High in the mountain this temple a breath of fresh air you can take a walk around after you pay a fee these wonderful grounds. Lots of photos can be taken well worth a visit. Small markets are outside the temple where you can purchase drinks and some food
(45) The temple is very beautiful and it's worth a visit, but we had unpleasant experience of being force to take their \ local taxi transport service\" at a rate which is four times more expensive than normal rate. When we left the temple we try to get on the blue meter taxi but they all refused to drive any visitor. We talked to the locals/shop owners there, the local community is colluded and they don't allow any transport other than their car to get out - blue taxi driver are scared to take any passenger. We have no choice but to employ their services to leave the temple. \n\nI like bali and tanah lot - but this experience makes me cannot enjoy the beauty of the sunset."
(46) What a great experience\nMust visit when in Bali\nEasy trail, an hour at most from start to finish.\nNestled in between temples in nature.
(47) Cool weather here and peaceful lake. Just a nice place to take walks and sit down for a bit to enjoy the cool climate.\n\nThere is a temple compound here. Might be better to engage a guide who can fill you in on the significance of the various temples.
(48) I went here during the early afternoon and it was busy but not too crowded. Its 30k IDR to enter. The views are nice but you dont get to see too much of the temple and there is not too much to see there. I enjoyed the visit, although it wasnt a highlight of my trip. I was there maybe for no more than one hour. \n\nThere are also monkeys in the area which are nice to see. The sea views are very nice also. \n\nWorth visiting if youre in the area or have time. I would say that Bali does offer lots of nice temples and sites - and although I enjoyed this I wouldnt have felt that Id missed out if I didnt see it.
(49) Visited the temple around 4 in the evening.. gr8 place , but overcrowded ... \nagain its money thing which ruins the beauty ... even after paying the entrance fee , there is some kind of donation, which the cave priests are asking to the tourist.. \nSunset view is good and must visit place , if u r in bali..
(50) Two temples on the beach. there are amazing, and the place at dusk is really beatiful. to reach the main temple you can cross the beach, putting you legs into the water.\n\nprice: 30.000 IDR.
(51) A short walk away from Jln Bisma, the park closes at 6pm so plan accordingly. It was lovely walking through the park bordered by forests, seeing monkeys everywhere and better still, Balinese all dressed up and carrying their offerings on their way to temple ceremonies. There is a temporary cemetery and cremation temple within the park, as well as a temple. Nice way to spend an hour or 2.
(52) Located at the top of the mountain, it takes ages to reach there. Beauty of this temple is that is located on the lake, which gives him unique \picture\". This temple is also on a Balinese money. :)\nBut, for me personally, it is just another temple, nothing spectacular about it. \nOn your way down from the temple, there is a local restaurant with a very bad food, but amazing view. I am sure that each local guide takes there his guests."
(53) A great place to witness the Malesti ceremony in the afternoon before Nyepi. Get the chance to see the locals perform their rituals and have a fascinating view of the lake. The temperature is very cooling.
(54) The temple does have a great view and has nice long paved walkways along the oceanview. It was really crowded before the sunset show though when we went and squeezing between people to fit between the walkways and fighting your way into taking a picture at the peak spots made the viewing of the temple less enjoyable. The sunset fire show was the only fire show we saw in Bali. I thought the view in the background of the show and the smell of the ocean air was magical. I really enjoyed the show, and I think the show is a must see.
(55) We arrived pretty early on a Sunday morning and, judging by the size of the car park, we found the temple pleasantly easy to walk around and see the wonderful buildings and views. Definitly worth the visit
(56) The place so beautiful, the beach, the temple and good spot to take a memorable picture. Another part of beauty in the island of Bali. Very recommended to visit...
(57) The temple is beautiful and the sunset is very pretty. \nBut ABSOLUTELY not worth how far it is to get here. They charge you a fee to get there and then take you through a mesh of shops to get you to buy stuff. When you actually reach the tempe you can't exactly go inside because its all closed off to tourist. So its REALLY not worth it
(58) stunning view of the cliff and sea, but due to the hundreds of tourists it felt more more like a theme park than a temple (which is off limits to tourists - understandable)\nGo in the afternoon and/or for sunset
(59) The temple is near the lake which is surrounded by a breathtaking view of the mountains. I was blown away by this place. If you're a nature lover, this is a must see.
(60) It was an unforgettable experience to this temple. The temple is nearby the sea and we have a chance to endure the beauty of the nature. Sun set is very beautiful. Cool!!!

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) Was there in April 2008? \nLong time ago.\nIt was a cold misty afternoon. Not so many people visiting the temple that day and somehow it bought out that mystique air of Bali temple ever so sublime...
(2) Go for the views and photo ops.... We went in the day. I am sure the sunset from this point would be \nsimple amazing and memorable.. Small temple inspiration property..
(3) This is one of the two big lake temples in Bali (other being the one on Lake Batur). Built in 1600's, the lake supports Subak (irrigation). Arrive early if you want to beat the crowd and take great pictures. The temple complex has nicely curated lawn and is well-maintained.
(4) Beautiful place to walk around.\n\nFlowers are breathtaking and fun to feed the crazy big goldfish.\n\nA long ride from Ubud, but worth it!\n\nNo fixed entrance fee - you pay what you feel is fair.
(5) Its a very good place to visit, but the only problem is the weather. Which is EXTREMLY HOT! So it would be better to visit maybe near to sunset. You cannot enter to the Temple, you can see \n and take pictures only. After seeing the temple there is a cave under the rocks where you can see the famous “Holy Snake” (You can see in the Picture) which is very poisones and kill with one bite 2000 people. But luckely no one has ever get bitten since the snake located in this area. The reason why the snake bites only the fishes for eating . However the local people have another story to tell you about this snake.
(6) This is a \must see\" in Bali and according to photo's in books and magazines it should be a beautiful place. And indeed this temple is on a unique location and the view is beautiful. But, and I am a tourists as well, there are way too many tourists. It was very crowded and as so difficult to make the pictures as seen before in the magazines. There always will be people at the wrong location to make great pictures. When I was finally able to make a picture of a temple (there are more then one), there where two garbage bins placed that ruined the photo. It cannot be published as the bins do not fir in the otherwise serene picture. Then there are many location that are forbidden to visit unless you want to pray. Of course I understand that fully and I respect it too. But as the site is made so commercial with photographers and sellers that it can hardly be called a scarred place in my opinion that I find it weird that so many locations are a no-go area. So the best view would be on top of the temple but that is not possible to visit. However I am happy to have been there."
(7) I visited this temple two days ago and it was full of people. Many people come here to pray and it is good to see they are still with their religion. The temples were situated on the cliffs, which looks amazing. There is a nice sandy beach down there but the cliffs have sharp walls and dangeroulsy layered so maybe going down isn't an option. I visited in the afternoon and my tour guide said it is always busy so maybe no way to go there and expect it empty. Visit it, you'll like it.
(8) By far one of the most popular temple sites in Bali for tourists. The landscape is most pleasing and soothing.\nAmple photo opportunities.\nThere are a couple of decent eateries in the temple complex.
(9) Built in the 16th century, the temple is located on a huge rock by the sea. When tide coming in, the rock is surrounde by the water and the temple is isolated from the land. When tide going out, you may walk to the temple. But toutists are not permitted to enter, except the Hindus.\n It blowed strong wind when we visited that day. And it was appallingly astonishing to see the huge wave smashing on the rock.
(10) We were very impressed by then view on this amazing temple in the water. Waves vere huges this day and lot of surfers had fun in it. Because of the waves we were not able to go to the heart of the temple but even the look at it worth it.
(11) Probably my favourite location to watch the sunset. The place is amazing, very calm and naturally beautiful. There are some monkeys around as well. When you enter you ate required to wear a special “skirt” if wearing shorts. You definitely have to visit this temple and spend some time here.I gound it really relaxing and the view is breathtaking!
(12) The scenery and views are quite incredible, though the temple is not the most awe-inspiring one in Bali. The walk is beautiful, but hordes of tourists do detract from the inherent serenity. I decided not to stay for the sunset due to major cloud cover, as well as bus loads of eager camera ready snappers.
(13) I suggest going in the morning to enjoy it. It gets to hot during the day. Lots to see. I would suggest a guide to explain it all to you.
(14) The view is amazing as all temples and cliff side attractions. But what you really want to know is why is this place so famous and sacred. There is a story behind it, but you won't be able to know it unless you do your research or get a guide.
(15) amazing place , Temple and great views of the sea, one of the most beautiful places you visit in Bali.
(16) I don't think anyone goes here to visit the temple. People go to have a good view of the beaches and walk around the cliff. The view of the sea from here is really beautiful.
(17) It's worth visiting as the whole area is really well maintained and whilst the temple is underwhelming as the trees around it are overgrown and it's hard to see much, it's still a good place to visit. \nGo early before the crowds and check the tide table for low tide so you can walk out towards the temple. Best view is from one of the cafes that are up past the shops on the cliff face.
(18) If you're in Bali, this is probably the most touristy spot on the island. It is the mother of all temples. It is very popular to visit for sunset, so expect lots of crowds... the shore/rocks area where you can walk is huge, so huge crowds are not much of a big deal if you are hoping to take panoramic shots of the temple. It is fun to walk along the shoreline and view the rock and temple in the distance. Must-visit place!
(19) Among the temples we visited on a daylong tour, this one was unique. Set on the beach, it is a dramatic sight. Once we walked past all the vendors and got to the ocean, it was refreshing on a hot day to be at the beach with the pounding waves. We enjoyed walking along the shore and seeing several interesting land formations including an arched rock out in the ocean. We liked that the vendors and the temple were really very separated, so we could enjoy the peaceful setting first, and then do some shopping.
(20) We finished a day of sightseeing here. Apart from being completely over run with large and small tour buses and the hoards they bring, the temple was simply a small building on a cliff. The setting was pretty, but not worthy of the long drive to get there!
(21) Small temple on very beautiful location.\nBut too many tourists.\nAnd way too many shops for tourists.
(22) It's worth the visit and it is definitely one of my favourite locations in Bali. We went there in the morning (around 10 am) and ended up staying a couple of hours. After you visit the temple and its immediate surroundings, take a walk along the black sand beach towards the golf resort and climb the rocks next to it. What you will see on the other side is simply breathtaking!
(23) A traditional Balinese temple is very famous for it's placement. Just on the seashore to enjoy sunset. However this place is very busy and the parking ticket and entry fee is too high in comparison to other tourists place that offers Bali.
(24) This is one of the nicest temples in Bali, especially with the lakeside location, mountain backdrop & cooler temperatures. I recommend going there either late in the day or very early in the morning to avoid crowds.
(25) 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!\n\nI 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.
(26) You'll spend hours waiting for your turn to the \gates of Heaven\" shot. And that's if you turn up at 6am. Turn up at 9am and you'll be waiting til the afternoon.\n\nOtherwise, there's some really nice shots available nearby and the temple(s) itself are really nice."
(27) A hindu blessing was available for a modest donation where you pass by the holy snake cave and visit the footings of the Temple if the tide is low. A lot of people lined up to recieve holy water, a forehead offering was placed on you followed by a frangipani. A quiet walk back to the many scenic hilltop cafes where you could watch the tide roll in around the temple followed to again isolate it from the mainland.
(28) The drive from canggu is quite long because of the traffic. It took us about 45-50 minutes with our dirtbike. Upon arriving there, you are warned about the monkeys stealing your stuff. We didnt see a lot of monkeys though. When you arrive at the temple you are greeted by the stunning view from the cliff on the ocean! Its definitely just worth it for the view alone!
(29) Awesome temple situated at the bank of the sea. What a great view. We were there at the morning so that we can escape the crowed. We reached at the right time and there was no one else except both of us. We went near to the temple drank the holy water and priest gave us flowers. It has amazing views. So memorable. Great temple
(30) Famoust temple from all Bali picture. In real look nothing special. Monestery on the big rock in the sea. In Bali got lot of better and awesomes temples!
(31) Excellent ocean view .. Old temple in cliff ...\nMesmerizing place to relax and mingle with land and water in altitude ....\n\nSunset is remarkable ...\n\nKids enjoyed the clear Indian Ocean water .. Turtle in water also can be seen
(32) Travelled by moped from canggu only took 15 mins, 60k each to get in (£3.50). The area was nice, loved all the little shops on the way down to the entrance. The view of the temple is also nice, couldn't actually go over because of the water but probably wouldn't have anyway due to the amount of people that would be there.
(33) Its a beautiful temple however not much information you can get from here. there are snake cave and place where you can get holy water, but yay you need to pay additional just for that. so is this a temple or attractions? this is the same feeling when i visited other attractions. most of the attractions are for photo taking purposes instead of learning process
(34) This temple has many steps ad two path of travel. Most guests takes the left turn towards an epic sunset view. The right side has more steps leading towards a lovely cliff. The scenery is awesome on both sides. Love the waves that crashes against the cliff and the hill top temple majesty.
(35) Was really underwhelming. Sure the sunset is nice, but you can see that in other places too. We couldnt actually visit the temple, so it just ended up being an expensive tourist beach with people trying to sell you stuff.\n\nHappy to get the photos but wouldnt recommend it.
(36) We visited this temple as couple for a sunset view. The temple is situated on the cliff and sea waters trying to climb the cliff. Amazing panoramic view at the sunset. Temple has wider area covering 2-3 cliff and sunset points. Favorite destination for Wedding shoot.
(37) We walked a part of the way around the lake to get some wonderful photos of the temple. It can be crwded as they are a lot of local visiting this
(38) Our visit to the temple by the sea was fantastic. Yes it's crowded but that's to be expected as it's one of Bali's most famous land marks built in the ocean. The view from the terrace overlooking the temple takes your breath away as the big waves crash upon the rocks below.\n\nLuckily we travelled in the low season so we found great beauty and lots of space in the surrounding park and gardens which grow stunning vibrant flower beds, shrubs, and tall trees. There and many little shrines dotted around the area and sculptured playgrounds for children to play on. There are dining facilities and toilets on site.\n\nThis place is one of our favourite memories of Bali. We will revisit should we return.
(39) I don't recommend visiting this temple. Around the temple are hundreds of stalls and thousand of peoples just ruining the fun by tying to sell you something or tourists covering the views. There are in Bali much better temples to visit and much cheaper.
(40) It is a very nice temple and the view is beautiful nice gardens and lots of shops and little restaurants we ate at the one with the purple table cloths great view and good price we had a driver from legian so to get in it costs 125000 2 ppl at 60 each and 5 for parking
(41) The views from the temple are amazing! We didn't take a guide so we didn't get to know much about the history of the temple, but the view of the cliffs and the ocean from here is breathtaking!
(42) Right from the entry gates to the temple, one sees typical Balinese architectural features and tiered shrines. The complex has shrines dedicated to Brahma, Vishnu and Shiva, the trinity of Hinduism. The temple appears to be floating when the lake level rises, a great photo opportunity. The serene lake views are bonus.
(43) Reached around 10 AM and there were already quite a few people so was hard to take pictures without getting other people in the frame. However this place was not as busy as most of the other temples and tourist spots.\nEnjoyed feedig the fish and spending some time sitting on the benches in the back - away from the pools with fishes.
(44) I am sure there is a religious system that is part of this temple and I do not wish to offend them. The temples we could see were beautiful and I imagine wonderful places to pray.\n\nBut the tourist sideshow is a joke. If you want 5 minutes of culture followed by cheap souvenirs and a sideshow alley of oh - ah moments, go for it. If you want something awesome head to Jogyakarta for Borobodur or Prambanam. \n\nDefinitely not worth 1.5hrs each way from Sanur.
(45) This is a very lovely temple in a scenic location on a lake. It can get very crowded, but if you are patient you can still get some good photos of the temple. I was lucky to witness a big ceremony while I was here. You can take a boat ride on the lake, or wander through the large gardens. Plenty of souvenir shopping to do and loads of places to eat & sleep. There is a super local fresh market - this is a huge agricultural area, so the produce cannot get fresher. You should bargain though. Fresh locally grown strawberries are a bonus here!
(46) A very beautiful place and a must visit too! Like most of the temples in Bali, this temple too is situated on a cliff on the seashore...its usually crowded and I so wished I could get to visit this place minus the crowd. It was a rainy day when we visited, the dark clouds and the sea and black sand, gave us a whole different view of the temple! Mysterious, yet beautiful :)
(47) Swimming in the temple was remarkable. Water so nice in hot day and so clean. Even when my camera lens when pop into swimming pool when dried works fine. It's a must to see it and swim there.
(48) This temple definitely deserves higher ratings (and ranking) here. It can get quite crowded but we arrived after a light drizzle which drove away the crowds. The temple with the mountain and lake as backdrop is really amazing.
(49) Definitely one of the best temples to visit in Bali and no wonder its the top tourist attraction , the place looks scenic and known as sunset temple , and place has lots of small shops around for some street shopping and bali being very cheap these guys are ready for more bargaining
(50) Good view but not a really a temple. If you have time, worthwile to go otherwise there is some better temple in Bali
(51) We had a lovely experience at the temple where under the rocks priests blessed us with holy water rice and a frangipani. We walked around the beach and along the coast waiting for the cloudy sunset . We ate spicy corn in front of the sunset . And then we ate a nice nasi goreng at sunset temple restaurant in front of the tanah lot temple. I recommend mostly on a none cloudy day !
(52) When we were there it was raining. This added to the fog created by the big waves on the shore made it very difficult to take nice photos. Everything is glowing by the wet, still grey and can not be seen in the distance.\nThe man skirt was not needed here.\nEverybody told us that it is super busy, but any other tourist place in the world, e.g., Paris is 2 magnitude more crowded. It was still possible to wait and take a photo with a gate on your own.\nIt is not allowed to get into the temple unless you go for pray.
(53) located on the outskirts a beautiful temple,totally worth your visit.drive to this place is very scenic,with strawberry farms your way.This temple is located in the middle of the lake.great place to have pictures .
(54) Tanah Lot it's a very beautiful temple mainly if there's deep blue sea in the day you visit. The worst thing is that there are so many tourist that some time is impossible just to take a picture with no one there. Besides that and being a very touristic place it worth to see it.
(55) This is definitely a beautiful temple with the surrounding lake. The lake gives you a feeling of serenity. But there are too many tourist about. I don't think it is worth the long drive up just to spend 30 mins to look at the temple. If you are planning on spending a half day there to enjoy a nice picnic. Otherwise there are equally if not nicer temples to visit. \n\nI went there from Benoa and it took nearly 3 hours to get there. With a baby in the car, it was challenging not much to see on the way there. (but could be my driver who doesn't know where to stop)\n\nThe actual destination for this place is in Danau Beratan (Lake Beratan) and not as it shows on the map.
(56) When you reach the cliffside, the hustle is worth it.\nYou can see how marvelous this view. the waves of the ocean meeting the land. the cliff view!\nThis is good for wedding venues if of courseallowed.\nAlso good for meditating. It will really calm your senses.
(57) I always wanted to see this temple and made it a point to visit it and realized in the end that all the trouble I took to reach here was not worth it since staying in Tuban, coming here took good three hours, thanks to the very messy traffic along the way. Then when you reach there, you have to pay through your nose to buy a ticket just to see the temple and trust me, they guard every way leading to the temple. \nThe way to temple after submitting your tickets is a full fledged market selling all kind of things and advertising toilets as if they were a rare commodity.\nAt the end the temple is awesome but too crowded.
(58) This temple is almost 3 hours drive by scooter from Ubud market.People generally reach there and directly start taking photographs for which you have to be in queue and wait time can be 1 to 2 hrs depending upon the crowd. There are 5 temples there b2b with almost 2 to 5 km walking way between each of those. But as I said, people just go to this first one which is a Shiva temple and click pictures and come back. It's a beautiful spot and worth pictures.
(59) It's very popular psot for the sunset in Bali. Many many tourists, but the view very nice. If oyu're early enough you can have a sitting spot to look at the sunset. In the area when you go from parking lot to the temple there's a market where you can by food, suvenirs and eat and drink something :)
(60) You should not miss out visiting this place when you go to Bali. Make this as top of your \temple to visits\" in Bali."

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) I wasn't expecting this temple to be so beautiful... :)\nStrong white waves, nice breeze, breathtaking views.\nMany people come here for a sunset, but why? In the day time it is also pretty. Colours of the ocean, not so crowded...\nEntrance ticket 20 000 IDR. You need a sarong (if you don't have your own, they provide it for free).\nThere are monkeys running all arround. Be careful, they try to steal sunglasses, bottles of water - anything.\nOne of the most beautiful places in Bali!\nExceeded expectations. \nI mean, the temple is small and the main part of it is closed. But the arrea and surroundings are great!
(2) My 1st time here was in 1990. It has become more crowded n crowded and it needs real timing to visit it not at high tide but at low tide in the low season so you can relax and also walk there. It is said that inside the caves are little rattle snakes. If local people ask there for money just dont pay it the want to show you something but inside the cave there is nothing to see. It's a great place but you have to be smart to enjoy this temple and not pay extra money. We will come back with 1st time visitors.
(3) Nice place to see sunset.\nThere is a temple approx. just 10 meters in the sea.\nPhotogenic place.\nAlways crowded.
(4) We visited this place to watch the sunset view. Our hotel was in Nusa Dua and to reach this temple more than one hour. The place is authentic but there is no permission to enter inside of the temple,so I became a little bit disappointed. Only religion people can enter this place. But the view is very nice you should go if you come to Bali.
(5) Nádherné místo, které určitě stojí za vidění. Může se fotit bez problémů vše. Za poplatek možno se i vykoupat Vstup do chrámu 30.000 IDR.\n\nWonderful place definitely worth seeing. It can take pictures. For a fee, you can also bathe. Entrance to the temple 30.000 IDR.
(6) Went mid day and played merry as low tide allowed us to go well into the water, the temple makes for a majestic setting in mid of sea. Must visit
(7) We are a family of 2 adults and 2 kids visiting Bali for the first time from the USA. This place was very unique. It was low tide so we were able to walk around the temple and watch it so close. We were lucky to watch a “ceremony”. This place is really magical especially for sunset
(8) The gardens were pretty, with some stunning flowers but I was underwhelmed by this temple and a little disappointed as I was really looking forward to visiting it.
(9) This temple is built on a lake but one can't get to the sanctum like most other temples in Bali. So one has to feel satisfied by watching from the pavement built on the river side. And from there it won't look any different from any other temple in Bali. So the point is one can avoid visiting this place if one wants. Our episode of visiting this place was even more tragic because it started to rain heavily and since it's an open park, we had to run quite a distance to find shelter. So our experience wasn't great here.
(10) A very popular tourist resort and local place for villagers to go too. Although it is a popular place to visit, depending on when you go during the day there are quieter periods. We stayed at the hotel located in the gardens. The gardens are very beautiful and well kept, and can be very relaxing with all the water features and ponds. We enjoyed walking around the park and whilst we were there the local village were preparing the temple there for the festival of the lanterns, which was a nice experience to see part of the Balinese culture. Although you can complete the garden it about 20-30mins there are plenty of benches to sit on to relax and to take in the ambience, or people watch. Also the hotel restaurant is available to the public with a lovely view of the gardens if you need a drink or food. There are also some little stores out the front of the palace if you want refreshments.
(11) The temple is stunning , the sun plus the temple make them look magical. The sea, the wafe... All become the perfect unity.
(12) If you're here on a clear day, the sunset is very good I've heard. A lot of tourists, but it's spacey in low season. Nice wave action for that nice splash selfie! You can't enter the temples, but that didn't matter to us.
(13) We visited this temple in the pouring rain. It was very busy with lots of selfie sticks and posing tourists... at one point we were sheltering and right opposite there appeared to be a duck and some chickens that were being sacrificed. The duck was struggling to stand up in is tiny cage and one of the young chickens was hanging upside down. We were visiting with our two daughters aged 10 and 7 and all of us were really upset by these very obviously distressed creatures! I would not have gone had I know we were going to be in some way contributing to this activity- very disappointing
(14) It is a mid-size temple that perched on the lakeside and the surrounding area offer a great view. It should not be on your most wanted place to visit unless you have exhausted your listing or places to go.
(15) This temple is amazing and the view is beautiful.. unfortunately in this period is in maintenance, in some zone are not allowed go!
(16) The temples are located on a lake in the mountain area - very picturesque and really worthwhile to visit. Would recommend this as a must see attraction in Bali
(17) Have been before and wanted to see the temple when the tide was out, hence the second trip. Way too many tourists hovering around!! And you had to pay to see the cave snakes!! Best part was being blessed by the holy men so I could actually step foot on the rock. The whole place looks so much prettier when it is surrounded by the sea, not at low tide.
(18) Everytime we are in Bali for holiday, there are few places we always visit, 1 of them is Ulun Danu Bratan Temple. Last visit was with my Mom. What can I say :) always love to be there, and this I didnt forget to take pics with a bat and some owls haha by only paying for US$4.00-5.00. So when you are in Bali, never missed this place. \n\nRegards,\nPutri
(19) Located on high cliffs on the south west tip of Bali, this is a great location for this old temple. Although one can't get into the inner sanctum of the temple itself (worship only), the walk along the cliffs in either direction is spectacular. Large breaking waves crashing against limestone cliffs. Good getaway from the benign comforts of the resorts
(20) Nice temple especially during the sunset, but it didnt amaze me. Restricted for taxi drivers so the best is to have a driver waiting for you after the visit.
(21) Temple featured on banknote. Very touristy and gets crowded. However it's a pleasant view on the lake and grounds are well kept
(22) Only thing here is get a picture taken. Using trick photography, the picture does look great. But it's too far from other attractions and with drive and wait, we spent a whole day to just get a picture taken. Also ticket price seems expensive. Not sure why they insist on wearing a sarong when they don't allow you to go inside the temple.
(23) Temple very spectacular! I have manage to be there at high tide so access not possible to thectemple itself but worth the view. Just ignore hawkers and you will be fine
(24) You cant miss this if you are in bali.a really nice place.the temple ia not sow big like in the picturs.come early to avoid the crowds.nice views of lake and temple near.
(25) Such a beautiful view and example of Balinese culture and history. The temple in the water is a great view any time of day low or high tide.
(26) we are falling in love with this temple. Amazing view of the temple on top of the cliff overlooking to the ocean. waves come and back with blue and clear water. we seen also many people come in Balinese custom for pray at the temple. definitely recommend to visit this temple.
(27) I just love this place. The scenery is beautiful especially in the sunset. The atmosphere is so peaceful even though there're lots of people from all around the world visit this temple
(28) One of the most satisfying experience of a beautiful sunset into the ocean. There is entry ticket to visit the temple but its very small amount. Definitely worth paying to visit the temple and some nice sunset clicks.
(29) This was a stop on our all day Ubud area tour. The temple and garden areas were beautiful and it was neat to observe the bathing ritual. Be forewarned upon exiting you have to go through aisles and aisles of shopping stands.
(30) this is a very nice temple on the sea, the view is fantastic, it is a little too crowded, many shops, souvenirs,...
(31) We stopped by this temple on a tour of West Bali, since it is one of the most photographed temples on the island. The tide was low, so we could walk to the stairs of the temple, although we are not allowed to go up. The path was quite slippery and a bit dirty, and the view was not as dramatic as I anticipated. Because we had an evening function that day, we did not stay for the sunset. If we had time, we would probably have reserved a place to watch the sunset.
(32) Beautiful sunset views to enjoy... And the best of all hindu cultural acts that you will ever see allover the world.. Such a good much visit spot in bali..
(33) Came to this temple as part of a tour around this part of the island. \n\nIt was ok and quite busy, stunning location but we completed the site within 30 minutes took some nice photos and that was about it.
(34) All I like about this temple is its location. Which is on the lake. The complex is quite a big one. And its pretty famous as lot of tourist. But they charge the fees of 50000/- idr which is on much higher side. \nI suggest it to visit it if you are going to Bali treetop adventure park because its just 15 minutes from it. I do not recommend a special visit as its about 45 km from ubud.
(35) One of top list to go when visiting Bali.\nPlaced in highland, sometimes it's can be very cold, don't forget your jacket. No matter how hot most places in bali are, this one will make you shiver.\nVery accomodating for tourist. Great view, and easy to reach, even if you're not hiring tour guide. Bring along your smartphone with GPs and you'll find it easily.\nWonderful place with so many things to see, with natural calm atmosphere of beautiful lake.
(36) We went in the afternoon to avoid the sunset crowds which was definitely worth it. It was 120,000 for two people including parking. There are so many shops and places to eat you could look around for hours. During high tide your cannot cross over to the temple. The view was amazing- if your lucky you may be able to catch locals during prayer
(37) This place is amazing, surrounded by turquoise water and flanked by an astonishing temple.\nThere is a left hander for surfing but it's very frequented by locals.
(38) Beautiful Hindu (obviously) temple not far from Amed. Actually it's seven temples on the ascend. \nI only went to the first one - the biggest and the best that opens the view to mount Agung and rice fields. \n\nThe remple is beautiful is detailed. Especially the gates and the stairs to them. There is not much of ascend to the first temple as you drive up to it and park in the parking space, then take several staircases and you have arrived. I was not very lucky with the view because it was cloudy and even the first temple is high inhough to be in the clouds. But I enjoyed my time watching the sky clear up a little and revealing the rice fields in a haze (could not the the mount still). However in Amed there are plenty spots from where you can see the full frontal of the mount.\n\nThe temple is not touristy at all and pretty empty unless there is a ceremony. In case of the ceremony it is told to be full of people moving slowly along the entire length of the road. You can hire a guide if you want to, but you dont have to. The entrace is free, but you are asked to make a small donation. You also have to wear sarong - piece of cloth to cover your legs and preferable shoulders if you are wearing and open top.\n\nThe second temple is a small jungle temple about 2 km from the first one up the road. Jungle is knows as monkey territory (especially the part between the 6th and the last temple, which is also 1700 stairs, so it's tireing too). The troop of monkeys living their is reported to be very obnoxious and agressive with a record of many people bitten. That was one of the reasons I chose to stick to the first temple. \n\nIt was a wonderful quiet comtemplation experience.
(39) The pilgrimage temple is perched on rock formation which is accessible when the tide is out. This is a pretty busy place so trying to get a spot to take photos, especially at sunset can be challenging as it is very busy with tourists. There are plenty of cafe etc Keep an eye out for the surfers, very entertaining
(40) Right from the entry gates to the temple, one sees typical Balinese architectural features and tiered shrines. The complex has shrines dedicated to Brahma, Vishnu and Shiva, the trinity of Hinduism. The temple appears to be floating when the lake level rises, a great photo opportunity. The serene lake views are bonus.
(41) An amazing place to visit and contemplate .. You can also complete the blessing ritual by the monks there. A beautiful place, I recommend!
(42) When I visited this temple, I didn't want to go anywhere. It's absolutely beautiful temple Bali style on the high mountain. The entrance fee is 50,000 IDR per one person.
(43) This should be a must to do on your list. I enjoyed every minute of this place. There are many people there. I was more interested in the architecture of the temple so I took many pics. do take as many pictures of yourself as you can. The weather in the evening starts to get foggy so try to view this before anything else. Also on the way to here there are a lot of rice terraces have your driver stop by there.
(44) The site of Sukarno's palace, breathtaking locale. But the highlight for me was the water purification ceremonies which were continuous. Hindus seemed to not object at all to tourists snapping their photos. A family communal event in the waters of the springs. Temples are extensive and gorgeous.
(45) This a great place for seeing a good temple on the banks of a big lake with a good view of Mt. Batukaru\n\nThere are deers in an enclosure right next the temple.
(46) Loves the architecture of the site, with the temple being on a lake with a wondrous backdrop of a mountain range. Comes in early to avoid the heavy tourist volume or late in the evening to enjoy the sunset.
(47) what a beautiful temple and what a beautiful sight.\nyou can simply sit on one of the rocks for hours and soak in the view ..the mighty ocean .\n\nmust visit place for every traveler in Bali
(48) So beautiful! There is an entrance fee, but it wasn't much. The grounds are gorgeous. There is also a restaurant and shops within the temple grounds.
(49) You can not access the temple, you can only admire it from outside. The spectacle of dance and fire is interesting.\nThe best are the views of the sunset
(50) We came here after having visited the Taman Ayun temple... ( revised separately). At first we didn't see what the fuss was about . You enter , pay 60,000 IDR ( £4 ish ), you walk pass the many touristy stalls in and out of the temple complex, you get to the view point ... Amongst the Indian Ocean ... Take few photos amongst hundreds of others ... Try to cope with the scorching heat ... And thinking this isn't the same place You've seen in the photos.... As you're about to leave , you see the main temple in the ocean !! That makes sense now... Almost missed it !! It's too hot and too busy and we were tired hence the confusion... I've opted to walk to the temple from the shore with my new flip flops that I bought in Seminyak... The water is slippery and waves are making it hard to walk ... My sister and my friend decided to stay on the beach and take photos instead... you can't go inside the temple anyway... Just to see the surroundings ... \nJust beautiful.... I love visiting different temples and I've visited many but this is very different. \nThis is a must see place if you're in Bali , even better if you combine it with Taman Ayun Temple (visited first ). For us it was a lovely half day trip . Both very different and give you some insight to Balinese culture and the Hindu temples ... \nMany eating and drinking places inside... Unfortunately we didn't have time for the sunset . Visited in the late morning. As we wanted to spend the day at Kudeta beach club afterwards. What a mistake .\nIf I come back to Bali , I'd definitely visit this amazing place at sunset and have a drink / dinner at one of the restaurants... Day time is lovely and beautiful however too hot and busy making it hard to walk . We got sun burnt on this day ... \nStill I'd highly recommend this to anyone who is in Bali or the surrounding areas . \nLovely rural villages and local places and people en route from Seminyak .... \nI'd definitely come back here again...\nHappy holidays....
(51) I enjoyed this temple. I think because the vendors weren't as pushy as other places. I had an excellent driver. We stopped to buy strawberries on the way. It had a very peaceful feeling though busy with a few school students on tours. The temple was different than I expected. I thought it more of an island, but it is close to sidewalk. You can see the stones on which they place bamboo boards to walk to this small isolated structure. I also thought I small. Being on the back of the \blue\" money I thought it would be a larger size. There is a fenced in family of deer for viewing. A wonderful Buddhist structure is outside the walls of the water temple. Another temple has a beautiful color door. The sacred tree is more appreciated from a distance to understand how big it was. The place is clear with wired food shaped trash receptacles. Parking was easy, but the drive was very long."
(52) This a great place for seeing a good temple on the banks of a big lake with a good view of Mt. Batukaru\n\nThere are deers in an enclosure right next the temple.
(53) This temple is on a cliff and the views are astonishing!! Worth walking along the cliff to see the temple from different sides during sunset! A picture-perfect spot!
(54) It is actually one of those places which looks better on the photos. Although still used for worship - I saw a very unhappy duck being carried off with great ceremony, followed by a group of men in impressive robes.\nThe day we visited was cold, dark and dreary the temples rising from dark waters - nevertheless the whole atmosphere is almost Disney Like
(55) This water temple is very beautiful with many decorations. Cheap local tourguides who can tell you about the history and add that little extra.
(56) Arrived at right time to watch the beautiful bali sunset, was able to walk out to the temple as tide was out. Lots of markets & food stalls. Great family outing
(57) The temple is really beautiful.... . With view of an awsome lake and mountains in the backdrop.....green and well maintained gardens lay in front ... Must visit place... Anyone looking for getting pictures clicked with exotic birds, bats etc.. Shall also not be disappointed..
(58) Crowded with tourists and groups but apart from that it is a beautiful place with a fascinating view to take photos/videos and to also enjoy the amazing surroundings. To those who are planning to visit Bali, this temple is a must-visit ! Best to come during sunset.
(59) This temple is a nice temple, you can make some nice pictures from the temple. altough, we went early around 9.30 in the morning it was not so busy, but when the buses arrive its crowded. if your going north just to see this temple i wouldnt do it. There are so many other beautiful temples to see on bali. But if your around, its a nice one to go to.
(60) The structure of the temple is beautiful. The main entry is also an attraction, and will have a big line of people getting pictures. Can spend up to an hour here. The view is amazing, and the atmosphere is serene. Has a bit of shopping outside. Overall - nice place!

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) Ensure you go on low tide so you can walk across to temple for blessing & see snakes in cave \nSee the huge python & hold him for a donation \n\nLuwack sleep in alley way & are very approachable \nHad a Aussie Jaffle at one of the many places ( warungs) over looking the temple with more food availble in Street shops \nShirts from $1.50 Aussie \n\nI will return as this is very worth the trip \nPlenty of cheap parking availble
(2) We really enjoyed our trip to the temple. The grounds of the temple are beautiful filled with greenery and flowers. I would definitely recommend this place to visit.
(3) This temple complex is on the edge of the sea and is one of the seven sea temples on the Balinse coast. It offers spectacualr sea views and the sound and sights of the waves crashing into the rocks around the temple is breathtaking\nThey say you get some splendig sunset views here- thought we only wen there in the morning\nA highly recommended sight in Bali
(4) It is a pity that the attraction is generally known as a temple. The temple itself is by far the poorest, ugliest that I have seen in Bali. Stairs and more stairs leading to nothing nice and back. The reason to go is for cliff which is magnificent. And from further away you realize that the temple is an ugly structure. I went during sunset and I really don't understand why thousands of tourists come there every day. So expect it to be busy at sunset. \nAgain the view from the cliff and along the cliff and on the waves breaking against it, is terrific. But I expected a lot more from a popular place like this. Now I know it is a hype.
(5) Beautiful and striking from a distance (amazing view of the temple on a cliff from our hotel, Pan Pacific Nirwana). But, up close, it is buzzing with people and souvenir hawkers. Loads of incense burning makes it pretty smoky (worth noting for young children or those with asthma).
(6) Spectacular Ocean View and Scenery View. Nice place for slow walk. \n\nTemple is not open for Public but uprise could walk around the open area. \n\nNice for Photos taking and weather was shinning and windy sometime.
(7) Beautiful and breathtaking temple in the middle of the Indian Ocean we went for watching the sunset and was an awesome experience. The greenery and the water lashing against the temple rocks is is something for your eyes to behold.
(8) This was the last of our three temple stops in Bali. Hugely impressive even at low tide. The area leading to the temple has been commercialised and there are many traders but you dont get overly pestered.\n\nThere are some great photo viewing points especially from the area higher up to the right of the temple. The hole in the wall is also well worth seeing.\n\nTake some Indonesian rupiah if you need to use the toilets. Not expensive but the locals do charge.
(9) The view is simply breathtaking. We enjoyed the bright sun and the pouring down rain, all in one day. It's a temple which does not allow tourists so you can just go around. The walk down from the temple is beautiful...must visit in Bali...
(10) Situated on the sea. Beautiful temple. With a story a snake is also kept near that people see that also. Not allowed inside the temple without local attire.
(11) Utterly breath taking. If you are only going to see a limited number of attractions whilst in Bali make sure this is on your itinerary its only 30k entrance fee which will be ploughed back into maintain this temple and the community. Yes its touristy but the sense of peace and calm and the beauty of the surroundings can not be man made. I went early morning so it was relatively quiet. I genuinely hadn't expected such beauty having visited more than my fair share of temples some of which should be missed. \nThere are frequent ceremonies taking place down at the waters edge and I stood and watched for some long while. The experience was only added to by the rolling clouds over the tops of the mountains surrounding the lake.. however the speedboats need to be stopped why ruin such a beautiful sight and feeling of peace by idiots racing up and down the lake..
(12) I must sadly to be honest say that this place has gone worse than my visit before about years ago. The traffic was really bad to get there we need more than 2 hours, avoid the high season, it's a nightmare. It's just too crowded, and too many tourists. Place looks messy, garbage everywhere, too bad that this local culture place with no self-conciousness from people to keep it clean. It just has turn to somewhat commercial place, shops all over the entrance, even you can climb up to the hill to just sit and eat with the view of the temple and the sea, or just shop around and sit have some coffee. We had some local religious thing so some area are blocked, and there was high tide during our visit, if it wasn't you can go down to take photos between the rocks. Please do pay attention not to litter and keep this place clean, have some respect.
(13) Really it is a very simple temple that has just a spectacular setting. You have to see it but I actually think there are more interesting temples in Bali. However, you can;t fly all the way there without casting your eyes on one of the best views around.
(14) We travel past here about 10 times a year. We should know better, but went this way to Lovina on the day after New Years. Oh, why. We were in crawling traffic for 3 hours! All heading for this temple.\nIt is a lovely temple, but swamped with bus loads of tourists and locals lunchtime onwards. Only go here in the morning and never on holidays
(15) The temple is located on a rock just off the shore. It's fairly easy to get to. The entrance fee wasn't as bad as some make it out to be. Worth a look!
(16) I was so looking forward to going to visit this temple. The view over the Indian Ocean was amazing, and so were the beautiful flowers. However, I was a bit unsure where the actually temple was. We were taken to the far end of the cliff for a view of the temple and then back for a closer look. So many people taking multiple selfies it got very tiresome as you couldnt even get a good look of anything because people were trying to get past you for their own selfies. To be honest, I felt incredibly let down. Maybe I had set my expectations too high? Either way, I wish I liked it better.
(17) this place is an excellent choice for family and friends...the temple with its huge lake and overlooking the mountain is a beautiful sight..they have water activity like renting a speed boat with a chargeable fee...it was raining when we were there thus it was very misty and cloudy for us to take pictures....when we were done we were shopping at those little shops and of course bargaining with those shopkeepers...
(18) Visited the temple at sunset. The view is awesome and beautiful. The setting sun along with the water, rocks and temple make an interesting combination.
(19) Starting with the positive- it has beautiful views for sunset over the cliff, but we had a cloudy sunset. It took us over two hours to get there from Nusa Dua .. there were cars that bypassed us while our driver waited patiently in line. The sarongs are very chaotically managed as compared to other temples. In fact , I felt the sarongs were used by tourists as fashion statement ... some only tying the scarf ...The temple was over crowded and very chaotic as there was no map. They do not tell you , that you an additional ticket for the dance and it was sold out. We left even before the actual sunset as we were scared of the traffic jams if we Left after sunset . Not recommended if you dont like overcrowded places . Overall not a great experience !
(20) It had been 15 years since we last visited. It seems much more commercialized than than we remembered. Still, it's one of those iconic Bali landmarks that is definitely worth a visit. At low tide you can walk all the way out to the temple. My favorite time of day to visit is at sunset.
(21) The temple is located on edge of a cliff and its in a very scenic place but the main temple entrance was closed for visitors. \n\nTips for travellers - please take a private car or bike. Taxis are not allowed near the temple and the local transport guys are not very helpful. They charge you a bomb \n\nPersonally I wasn't very impressed
(22) A lovely temple, but many years ago I able to walk around it. No longer is that the case. Bus load after bus load of tourist desend here for Sun set. Holy water and Holy snake (both small caves) are near bye, go and look if it is your first time, as everyone is curious. I have been here three times since 1983. But the crowds are too much for me now, I will watch the Sunset from a beach, without the bother of the traffic jam.
(23) Amazing location! High low tide depending on the time. Cannot access the actual temple. Just photo from distance! Nice experience
(24) Wonderful place to visit. Bit crowd. Go there around 4 to 5 o'clock. beautiful view of sea tides. Large temple area to enjoy.
(25) We're spending 6 months in Southeast Asia have seen A LOT of temples and this little gem ranked up there as one of the better ones for us! We hired a driver for the day and made our own itinerary of things we wanted to see, this was our first stop of the day and there was basically no one there so we got great pics and just really enjoyed the scenery!
(26) The temple itself is beautiful, but like all the tourist places in Bali its full of vendors trying to sell you stuff. \nBest time to enjoy this place is at sunset but be prepared as the place will be flooded by tourist and locals.
(27) Being far from the city, this temple is still worth the drive. We visited during the Melasti ceremony and it was just so serene watching locals perform the ceremony by the lake.
(28) We were able to arrived before sunset and its hard to took pictures due to the crowd. The temple is really mesmerizing.
(29) Temples and cultural sites were great. Spent around 1 1/2 hrs looking around very enjoyable but way too many stalls, constantly being stopped to buy buy buy.
(30) Lovely views over the ocean with temple out in the sea, we went high tide and got some stunning photos with the waves crashing off the rocks.
(31) This temple, even though quite small was our favourite whilst we were in Bali. \n\nThe whole place has a very romantic feel to it. Take the time and grab a drink from the restaurant. \n\nDont forget to buy some fish food to feed to the fish in the pools. \n\n(Slightly overpriced entry fee when compared to other temples, but still worth it)
(32) Really cool visit, less than one hour is more than enough i would say. We paid 20.000 idr per person. \n\nWe enjoyed the visit, the gardens are well maintained, and the big attraction is a small pond full of statues with sort of stones in the middle so you can walk across the water. Beautiful and different. There is also a fountain and some other statues scattered around the gardens that deserved an unrushed stroll.\n\nWe had to travel from Tulamben to the south of Bali and the temple is just on the route. We didnt know it, the taxi driver told us. I would not recommend to come here just to visit the temple, but definitely you have to stop and see it if you are driving by.
(33) This is one of ancient temple in Bali by the lake of Beratan. The beautiful atmosphere of hillside and lake is amazing 🙏
(34) As a professions photographer I was stoked for this stop, I had seen so many pictures and this place looked magical and visually stunning. When we arrived it was just disappointing. Despite the fact it was foggy and rainy when we got there the temple on the water itself was small and unimpressive. The architecture around the rest of the temple was more interesting. Tanah lot, monkey forest and the water temple were way more interesting. I'd recommend skipping this one unless you have a lot of time on the island to spare for exploring
(35) This temple was amazing there were such beautiful views of the ocean and the cliffs definitely return to this temple so beautiful !
(36) We went here in the afternoon, which I would recommend going in the morning to beat the crowds and bus loads of other tourists. Its about $6 each to enter the area and plenty of shops to buy odds and ends that you can get any where else. \nThe temple has stood since around the 16th century and although some work has had to be complete to stop erosion the temples here are a beautiful area for photos. \nYou can walk across to the temple and get blessings, when we went the tide was coming up and it was enjoyable watching people negotiate across the thigh deep water with one poor bloke falling over. You can easily spend hours here taking photos and just sitting down at one of the many eateries over looking the area. This place is a must visit for the spiritual and historical significance of the area.
(37) There's no denying this temple is spectacularly set and it's ancient history gives it an extra something, but there wasn't any information about it to be found (or i didn't find it anyway) so everything is just there to be speculated.. it is seriously crowded and it's lack of information seemed to prevent crowds from really appreciating it, and so indirectly doesn't get the respect it probably deserves.. I did enjoy it though! It's views are awesome and to be enjoyed to the max at sunset as it's right on top of the cliffs. It's a must see in that respect, but be prepared for crowds. It's was almost like trying to walk around the centre of Venice..
(38) Certainly worth the visit. As of most places in Bali the traffic to get there is bad. Best to go off peak hours. We went around 1pm and it was low tide allowing us to cross over to the temple side. You are not allowed to enter the prayer area though. They insist you get cleansed by holy water prior to entering the steps to the temple of which you won't be able to enter. Beautiful for picture taking however.
(39) After a long trip up the hill, I am sure you can't wait to see the beautiful temple adoring most of the Bali guide books, but unfortunately, it is no longer worth the journey. Time and money are better spent visiting other temples. \n\nThis is what you will see:\n- Fake sponge bob and Mickey mouse, eagle statues and other non-contextual decoration out of a creepy theme park nightmare right in front of the entrance.\n- A run-down playground right next to it\n- Busloads of tour groups and their photographer blocking your view\n- Ear-piercing announcements being made every 2 minutes\n- Tourists riding swan boats and tiny speed boats right next to the temple\n- A huge ugly mosque in tasteless color built right across the street\n- Major construction work to expand it to an even bigger \tourist attraction\"\n- Local tourists that can't be bothered to put trash into bins littering everywhere.\n- Nobody cares if you dress appropriately although it's a spiritual site.\n\nIn 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."
(40) Inside the temple is incredible the quantity of people selling all the kind of stuffs like you are in a market. Tourists with shorts or skirts do not following the rules of dressing, nobody to control it or to give sarongs. Every step that you give there are someone to offer you postcards, souvenirs, all the kind of things inside the temple! I feel sorry for the temple have lost all your original proposal. Despite it the place should be sacred by real because the landscape and the view are gorgeous.
(41) Should visit during low tide time so that you can cross the sea to visit the temple. A bit disappointed as I only able to view the temple from far. Crowded with tourists.
(42) This is one of the two temples in the day tour we took. More than a tour it was a driver because he took us from place to place but didnt explain much and stayed in the car when we got to the 5 places. \n\nThe temple has a fee of 50,000 Rp per adult. We were not allowed to enter the temple, but more walked around the grounds which are very well kept. It seemed a bit too touristic for me, but then again... I am a tourist 🙃 Anyone could spend half a day here and half a day in the strawberry fields around the area and have a lovely day! \n\nIf you want the whole experience I suggest you pay a tour guide, but I loved our experience of just two people in a car and we could spend as much time in each place as we wished, he would stop us we asked him and was very nice man. Look me up on Facebook for more Bali info! Upekkhapr Sylvia Fernandez 🙏🏼
(43) This temple was truly beautiful. Grounds are well maintained and you are actually allowed inside the temple unlike a lot of others in Bali that we have been to. Well worth seeing.
(44) this is a must visit place when in Bali.\nview from the cliffs is amazing and very good for photographs purposes too.\n\nthere is of course nothing much to do here other than to enjoy the view and serenity of the temples here.. albeit the number of tourists here does make it a little rowdy and noisy at times.
(45) First look at the temple and it's setting and you just say wow. We reached the place just after the sunset (yeah, thanks to traffic in Bali and some goofup on route by our car driver) and believe me it was blessing in disguise. The crowd was just returning when we entered the place and had some quite time next to the sea. You can go around, touch the place at the bottom of the small cliff but you are not allowed the enter the temple and that was the biggest negative for this place. \nThe market at the entrance seems to be good but as we got late, we didn't get much time to shop as shops start shutting down soon after sunset as tourist leave immediately. Whatever small we checked, it was a bit more expensive than some other place we visited like Goa Gajah.
(46) A spectacular site but you can't get to the temple if the tide is high ....especially with the King Tides and rough surf we saw during our visit. A lot more tourist trap shops you have to walk through to get to the main gate so expect to see huge crowds and bustling spruikers at exorbitantly inflated tourist prices.
(47) This is a lovely temple but the best part of visiting it was the harmony and happiness among the members of the temple.
(48) It is a beautiful beautiful temple, however packed full with tourists and feels more like a cool photo opportunity than an awesome Bali experience.
(49) Great visit. Got to see the beautiful temples by the sea. Waves made it look extra good. Lots of markets in the complex. Don't need too much time unless you want to eat at the restaurants. Worth the visit.
(50) A rock temple that you can't ever go inside. The outside part is full of commercial shops, not only locals but surfers shops like Billabong, Quiksilver, etc. I think this place have become too tourist over the years..
(51) It was nice to watch sunset here but it's overcrowded, not well looked after (poor infrastructure and litter) and hard to get a good spot for sunset. It was alright. It was cool watching the locals surf right next to the temple though!
(52) You can many of the temples in Bali and most of them look similar but can enjoy the silence and beautiful environment. The location surrounded by the sea waves and the beauty of nature will take you to the next level and need to walk and spend around four hours to completely enjoy this. must see place.
(53) This temple shoots great at first light - think sunrise. We showed up at dawn in the rain and there was no one there. We drove by two days later at 2 pm and it looked like the parking lot at Disney Land. Go early and take a tripod. Take your binoculars too as the birding is greAt there.
(54) Great picture area. Great views of the ocean and the Temple. Make sure you have money if you have to use the washroom. They charge you to get into washrooms, this after paying to get into the Temple area.
(55) The scenery at the temple is great on the edge of sheer cliff edges. I cant help feeling it is all just a great grab for the tourist dollar. You pay money to get into the parking, walk a few meters you will pay again just to stroll down and look at the view. You cant get into the temple but they still make you wear the purple sarong. There is nothing to see other than a few glimpses of the ocean. A bit disappointing acatually
(56) While I think in theory that this temple was worth visiting, when we arrived we quickly changed our thinking. To get to the temple you have to walk quite a way via a maze of market stalls, lots of hawkers trying to sell you stuff & busloads of tourists taking photos everywhere. Finally at the temple there are too many people to get a good view and it wasnt as beautiful as so many other Temples in Bali. Its certainly unique and special being built into a cliff but you cant get close you have to look up from afar with hundreds of others. Its full of shops and cafes plying for your business so not restful or peaceful.
(57) The view is absolutely stunning. It is one of the more popular attractions so be prepared for the crowds. Unfortunately the tide was high so we couldn't go out to the temple but it was still magnificent to see from the view points.
(58) You pay a few dollars to get in (parking extra) and don't bring any food in with you to avoid monkey altercations...\nYou get a sarong before entry unless your knees are already covered.\n\nThere were probably over 2000 people when I was there, almost impossible to take a picture without anyone else in it.\n\nLots of viewing points though, even more if you go during low tide (high tide is harder to be on the beach since the water is coming up to the rocks). It is very windy up at the higher peak and was rainy when we were there so not as enjoyable as it could've been!\n\nOverall worth seeing, I would suggest having a guide to learn more about the history and current activities of the temple!\nOnce inside there is also option for a 100k IDR ($10USD) fire show in the little stadium they have.
(59) Visited this temple area over the busy Xmas / New Year period and was over whelmed by the tourists of all nationalities jockeying for a selfie spot. The temple area is set amongst nice grounds and surrounded by lots of markets. We only took photos from up on the ridge as it was a hot and windy day.
(60) Such a wonderful place to see absolutely amazing views would recommend using a driver tour guide for trip as will get full experience and knowledge of the temple

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) We visited this temple in the morning and it was a perfect time to do it. Everybody said it's prettier in the afternoon for the sunset but gets really crowded and we are not big fans of standing in a line just to be able to take a shot, so we decided to do it first thing in the morning. We took a private driver from our hotel who charger about 8$US per an hour to take us around. And we really enjoyed our day as we got to do everything we wanted without waiting for others. To get into the temple will cost you around $3. There is a short walk through a little market with souvenirs, several fast food places and a convenient store. Took us less than an hour to walk around and take pictures. There was not a lot of people around so it was easy to move. Beautiful area with many photo opportunities. As a non Indonesian Hindu we were not allowed to go in the temple itself but we came quite close and it was amazing!
(2) This temple is usually included in Bali To-Do lists but I wasn't that impressed when we were there. It is pretty/scenic based on the location by the ocean but it was so sunny when we went that it felt too hot so that probably affected our experience. You can't really enter the temple but rather it is something you see cliffside. I believe sunsets are popular here but we visited during the daytime. There are a lot of stalls/marketplace that you will walk by when you are going back and forth from the entrance to the temple viewing area. There is an entrance fee.
(3) Amazing temple and Amazing view to the rocks and Sea! The sunset was unbelievable on this place! The Best I have ever seen!
(4) 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.
(5) I came here a few days ago. The journey to the temple was short and the view was amazing at the top of the temple. There we certain areas you can't go unless you are worshipping. Also, you are required to wear a sarong and if you don't have one, you can rent one. This template is a bit touristy but not as bad as Besikih temple. No guide is required to show you around either. Beware of the monkeys here. They are aggressive and will take anything shiny (like your sunglasses) or dangling from your bags (like stuffed toys on key chains). I saw a tourist get her keychain snatched off her backpack. There are shops in the parking lot but they don't actively ask tourists to purchase items such as at Pura Besasikih. I recommend that you come here for the amazing view, it is well worth it!
(6) This is one of the best temple on Bali for me. I recommend to see this famous temple for all visitors.
(7) This temple was very beautiful with lots of different sites to see within the grounds. It was very pretty and tranquil. \nAlthough there were lots of tourists, it didnt feel too crowded. \nOur only complaint would be that the cafe/restaurant refused service due to being closed and it was only 3pm.
(8) The place is good for pictures but only from far as they don't allow you near the temple during high tide season. \nMay be it's more beautiful during sunset but we went there in the afternoon and it was really hot. \nNo doubt the pictures then out to be good because of the beach view but not worth spending time when you're on a short trip to Bali and hence can be skipped.
(9) A landmark in Bali. The temple sits on a large offshore rock which has been shaped continuously over the years by the ocean tide. Great place to take photograph and big waves, windy and relentless sun. So kindly prepare hat or umbrella if you go.\n\nThe area become commercialised and people are required to pay RP 60,000/person to enter the area. visitors will walk through a set of Balinese market-format souvenir shops which cover each side of the path down to the sea.
(10) What a beautiful temple located on a rock in the sea. During sunset it was very crowded, however, we managed to get a nice seat and a refreshing coconut drink. In the many shops around we hunted for sarongs and souvenirs. You have to bargain, then the price is quite okay. We want to go there one more time, but in the morning when it is calm and more romantic.
(11) This is the temple in the lake , the most beautiful temple in Bali, a must visit. Its located up north of Bali , however, worth the ride to it. It has a beautiful architecture and being inside the lake, the view is gorgeous. We happened to be there on the day of full moon night and there were prayers being offered in the evening in the temple by the locals.
(12) Entrance is 50k including the sarong you need to enter and you cant actually access the temple unless worshipping. Nonetheless, the views are beautiful, the cliffs with the flowering bushes and trees. The water is so blue. The carvings on the stone of the buildings, so interesting and intricate. And it's a great walk along the cliffs. Beware of the monkeys. We watched a women get a little too close to video and have her phone stolen. Lucky they threw it some fruit and it gave the phone back. There is about 8 warungs out front with a good variety of food and fresh coconuts.
(13) Highly recommend to get here early in the morning - will be just you in the temple. \nEverything is so peaceful. \nTake you time to walk around the temple, feeding Koi fishes. \n \nYou should departure from Ubud center at about 6AM jn the morning to avoid the traffic jam. I was stuck on the road for 30 mins, even I started going at 6AM.
(14) ere , But take a sunset photo here or other of the views was very beautiful and overall is good.很漂亮,寺建於懸崖上,有在巴厘島的寺廟很多,但是這是最有名的寺廟在巴厘島。您可以通過經過浪到寺廟,但是潮漲是太高,所以我們並沒有越過那裡看看。也有很多遊客在這裡,但拍攝日落的照片在這裡或其他的意見是非常漂亮,整體還是不錯的。
(15) I love this temple by the lake. Beautiful and peaceful. Despite rain there were quite a few visitors. Adjacent garden/park has some equipment for children to play on. Will come back later on a sunny day. The restaurant is mediocre. The buffet is a better value.
(16) Lets start with entry\n\napropriate footwear like all other temples, they have sarongs that they will loan to you if you don't have one free of charge.\n\nMonleys have been known to grab tourist's bags sunglasses etc, utilise common sense like you would anywhere else.\n\nGreat views of the sea and there is plentiful space to walk around the temple to avoid crowds\n\nBest temple in southern Bali and a must see
(17) We were very impressed by the magnificent beauty of the place. The path leading to the temple looks like the great wall of China.
(18) As suggested by other reviewers, we visited this temple before sunset! This temple was beautifully situated with water on all sides. And the most amazing was, the priests give holy water emanating from the temple which is sweet water whereas ocean water that surrounds the temple is all salty!\nYou can go local shopping after visiting the temple.
(19) One of the top cultural and beautiful sites in Bali, it's a long way (mostly because of traffic) from wherever you are staying. Like most places in Bali now you have to walk past numerous market shops before you reach the temple. Allow a couple of hours, take a sarong and sash if you plan to go into the temple, otherwise walk up the hill to one of the restaurants at the top, get a table with an exquisite view, order a drink and wait for nature to work it's magic. Soon you will see the beautiful Mata hari 'sunset,' with the temple in the foreground - gorgeous
(20) We visited in day time we enjoyed its entry as need to walk in water you are allowed to do worship \nExcellent place you will enjoy and love it
(21) One of the most suggestive places I visited in Bali, simply majestic.\nThe only thing I didn't like was that a lot of people shout and disrespect the place, and nobody does anything to remind em that this is supposed to be a quiet place... Had an argument with a Chinese group about that... They were literally screaming to each other, laughing all the time, behaving like that was Disneyland instead of a temple.\nApart from that, wonderful place!!!
(22) Really amazing temple and gardens, great relaxing atmosphere and sculptures aswell, the garden is so nice to walk around after seeing the temple
(23) The temple affords a lot of picture postcard views. It is situated on the lake. It has a small cafe on the property which has excellent fast food and juices.
(24) The temples, there are two, lays very beautifully in the sea. No one is allowed to get inn too them. There are a lot off things too buy around the area.
(25) I visited with my family of adult children during sunset. I tend to agree with the more critical reviews of this site. The natural scenery is very beautiful, the temple itself is very small and inaccessible, the area is swarming with tourists and their photo opps, so it feels more like a tourist trap than a meaningful religious site (which I am sure it once was). All seven in our party found the dance to be contrived and boring, and wish we had spent our time doing something else. If you're near this temple, it is worth a stop. We drove through much traffic to visit this site and don't feel it was worth the time.
(26) Whilst clearly beautiful, temples are meant to be tranquil places, but with thousands of screaming tourists. I'd therefore recommend not visiting at sunset but trying to go earlier in the day when it is quieter. Also for goodness sake, stop using a loud PA system to announce something incomprehensible. It ruined what little ambiance remained. Also the bathroom are little more than holes in the ground (and cost Rp2,000). Take your own soap and water with you and hold your nose because the smell is quite bad.
(27) Despite the nauseating tourist market here, it's still a vision. I hear Trump bought the land adjacent to build a golf course (how could they sell that!? To him?!?) so please go support the ancient temple and help the locals retain its majesty. It's a vision and one of the most beautiful holy temples in the world. In the middle of the ocean. Go and try to remember that people carved this with their own hands and the ocean had kept honoring it for hundreds of years.
(28) Visited this place in the morning during a high tide. Very good for photo ops. If you visit during the low tide, you can get closer to the temple, but can't get in. The entry fee is a bit steep though. Wear comfortable footwear(wouldn't recommend shoes, if you want to go near the temple). The vantage point from the entrance is very good for photos. You can beat the crowd if you go there in the morning. Its super crowded during sunset and you will have to spend a lot of time in traffic to reach and get back to your hotel.\nOverall, a good place to spend some time.
(29) This temple should be a must visit in your itinerary whenever you plan to visit Bali. A beautiful place with simply breathtaking views. Skip other temples and visit this place, trust me you will not be disappointed.
(30) What a beautiful Temple to visit. The views were magnificent. I had a tour guide which was good as he told me all about the Temple and as i was by myself he took a lot of photos for me. I even saw a monkey and got some great pictures\nYou must go just to see the beautiful view.
(31) We were on a day trip visiting lots of different attractions and this happened to be the first one we stopped off at, so we are talking about 8.30 in the morning. \n\nWe arrived by mini bus and I drew the short straw positioned right at the back of it. Now I'm not one to exaggerate on things but my seat was designed for people under the height of 5ft and I'm 6ft! \n\nAfter eventually getting the blood circulating back into my legs we entered the grounds and as expected in todays economic climate we had to pay. \n\nFirst impressions was that it seemed a nice place and it wasn't busy at all. At that time of day there were few western tourists around and me and my friends got ambushed by some asian tourists which we suspected were from Thailand. They seemed more interested in pointing their selfie sticks at us than the temple itself. Very annoying, however they summed up the experience in general. Not that interesting. You weren't even allowed to go into the temple. \n\nI hear the place is better in the evening so perhaps go then.\n\nWould I come here again? No
(32) Visited here around lunchtime. Big crowds. Lots of market stalls too. \nThe actual temple looks really nice. We loved the place. It was worth the visit for sure!!! Go do it :)
(33) Tuesday 10th September and we were on an all day tour of the Royal Lake and Temples Tour, which we booked through the Tui Representative at our Hotel.\n\nOur first destination and stop was at Tanah Lot where there are 2 temples beside each other. We visited the spectacular Pura Batu Bolong first, then we walked along the coastal path to visit this Temple.\n\nIt really is a spectacular sight to see the Temple standing on the rock in the sea\n\nWe made our way down on to the beach, as it was a low tide we were able to take off our sandals and paddle out to the rock, cave and Temple.\n\nWe walked to the Holy Water Spring, a fresh water spring in the cave, it was possible to drink from the Holy Spring and receive a blessing. The Temple stands on the rock above the spring, it is not permitted to go up to the Temple.\n\nOn the the headland across from the Temple there is another small Temple, which tends to be overlooked. This is Pura JRO Kandang.\n\nOn the landslide there was another cave which is known as the cave of the Holy Snake. We did stick our heads into the cave but did not venture in.\n\nThere were sellers and hawkers here mingling with the visitors trying to sell all sorts of touristy tat.
(34) It is an awesome place to visit , and thus attracts a lot of tourists. The story behind the temple and the caves is very interesting and quite fascinating. We went during the morning and realy liked the waves and the place.
(35) Our tour guide had managed to make a reservation for a very nice table for us to sit and watch the sunset at the temple. Such a nice experience
(36) This place and its setting is always a stunner. The drive is long to get here but well worth the effort. It is one of balis more unique temples... Must visit destination
(37) Direct View of Sea and Temple, makes a magical scenario of eye catching views , best visit time is evening to enjoy the SunSet
(38) Came here with my family, totally refreshing and not so crowded today. Got to see a beautiful scenery and gorgeous temple, feel blessed
(39) Devine, picture perfect and mesmerizing place to be , we were blessed that we visited this temple during festival season in march , it was really nice experience to see that place
(40) The temple location is extremely beautiful and the huge lake makes it look so stunning. The boats on the shore makes it even prettier. My only issue - too much crowd. Else it's a great place to visit.
(41) What can one say when the land meets the sea and artists create an architectural masterpiece that enhances those natural elements? This scene rates as a watercolorists dream. It must rate as the loveliest temple on Bali Island. Prepare yourself for large crowds, though. And everywhere you turn someone wants to sell you something—from touching a snake to buying a flower
(42) This is the temple in the lake , the most beautiful temple in Bali, a must visit. Its located up north of Bali , however, worth the ride to it. It has a beautiful architecture and being inside the lake, the view is gorgeous. We happened to be there on the day of full moon night and there were prayers being offered in the evening in the temple by the locals.
(43) We went here the next day we visit Bali .this is the temple you cannot miss at all !!!very nice view and best month that you can go very near to the temple because usually the sea will cover the way to go to the temple \nI suggested that choose the month that you can walk along to the temple ,there are many restaurants around and souvenirs shops and good price 😊
(44) Nice Balinese temple situated in the middle of a pleasantly green park area. Nice surroundings ! Although there were a lot of Balinese and foreign tourists when we were there, the place did not give the impression to be crowded with tourists.
(45) The temple is very lovely looking and you can get some nice photos of it from the shore. Having said that, the temple is 50000IDR entry per person, and this is not good value for money. The temple is much smaller than the other well known temples, and so it only takes 5 - 10 minutes to see everything. Would recommend if you are in the area, but don't bother making a special trip just for the temple. Also make sure you use the free toilets at the various food outlets inside the temple grounds, as the other toilets try to charge you.
(46) It was pouring hard when we arrived and there are people trying to hand out umbrella which I don't think it's free as they look like stall owner. My driver had 3 big umbrella so it was good. The temple had surrounding fog and we were told its lucky we can see the temple cos down times the fog just goes around everywhere and no view at all. The fog makes the place feels seclusion and mystical l. \nWe learn about the temple and why it's 11 rooftops. Interesting site for spiritual uplifting.
(47) It's a very beautiful place to visit. The temple, cliff, greenery, sunset.... It was just perfect. The best time to visit will be in the evening or early mornings to see sunset or rise.
(48) The temple sat by the sea tranquilly and the breeze was cooling. However, we could only view the temple from far because it was high tide then. The place was over-crowded with tourists and locals trying to sell you things like toys and flower clips. We were pretty disappointed that we were unable to get nearer to the temple due to the tide condition.
(49) It's well worth running the gauntlet through all the market stalls at the entrance to see such spectacular coastal scenery. It is particularly beautiful watching the sunset over the temple.
(50) One of the most photographed sights on Bali. It sits on Lake Beratan in the town of Bedugul. The lake is one of three in this former volcanic crater. I visited on a day trip from Lovina. You get great views of the other lakes Buyan and Tamblingan from the rim of the crater before you decend. On the steep road down into the valley look out for monkeys.\nThe temple is surrounded by lovely grounds brimming with colourful plants. Statues are draped in yellow fabric and there are many offerings dotted about. A lot of locals visit here and will be pleased to jump into your photographs. The vendors in the car park are a bit pushy.
(51) If you are travelling to Bali you must see this Temple. Absolutely stunning. Also stick around for the sunset and watch the fire dance. You wont be disappointed.
(52) Far from the city area, it is a very beautiful temple near lake and maintained good. You can go for a speed boat ride in the lake for up to the mountain other side the lake which is excellent. Of-course, as many other temples, tourists are not allowed inside the temple. The surrounding park is beautiful and well maintained.
(53) We were lucky enough to be staying next door at the Pan Pacific Resort where you can walk across if the tide was out. \nstunning views of the temple sunset is amazing but very busy early morning is more peaceful defiantly worth a visit.
(54) Yo would have to be lucky with the weather to get the glass of reflection of the temple in the water but it truly is a pretty spot! over sized vegetables and all.... had to battle people & selfie sticks to get a snap...
(55) This is where you will see the typical, Balinese tiered temple views against a backdrop of mountains...beautiful, but very very crowded. Worth seeing.
(56) I enjoyed this temple. I think because the vendors weren't as pushy as other places. I had an excellent driver. We stopped to buy strawberries on the way. It had a very peaceful feeling though busy with a few school students on tours. The temple was different than I expected. I thought it more of an island, but it is close to sidewalk. You can see the stones on which they place bamboo boards to walk to this small isolated structure. I also thought I small. Being on the back of the \blue\" money I thought it would be a larger size. There is a fenced in family of deer for viewing. A wonderful Buddhist structure is outside the walls of the water temple. Another temple has a beautiful color door. The sacred tree is more appreciated from a distance to understand how big it was. The place is clear with wired food shaped trash receptacles. Parking was easy, but the drive was very long."
(57) The temple is not as big as we imagined, but still well worth a visit, the gardens are outstanding, and immaculate. The crowds were huge and bit of a spoiler. Do take an umbrella, as they have a lot of rain.
(58) Sunset views are the best but this also attracts large crowds. Small fee paid to visit the temple, but worth the cash.
(59) A really beautiful place to see a unique temple. Nice views and photo opportunities. Attracts many tourists. Good for all ages, does involve some walking. Can walk down to water to view temple closer, but can't go inside temple. Can also view a \holy snake\" in the cave for a small fee, and pet if you dare. Lots of shopping and restaurants nearby.\nCan be a short visit or as long as you want. I can imagine how peaceful and serene it must have been many many years ago."
(60) Located 1 hr drive from raya kuta.Situated at the sea where you will the most memorable sunset of ur life.its just awesome.The history of the temple is also very interesting and the guide will tell u all.There is a big market with lots of shops frim where u can buy token gift for ur frnds at home.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) The temple is not accessible for tourists and is only opened for ceremonies the surroundings are beautiful we arrived with high water so could only see the temple from a distance which was ok. We didn't visit the shops and I felt bad about the bats, snakes and other animals being held for fun outside the store in the sun and heat.
(2) It's very nice and extremely suggestive to go there. There's a market where you can find everything you want, and in the beach you find the temple. Walking over the stones and rocks, in the middle of this very tiny island bathed by the ocean waves you find the temple. Nice walk around and beautiful view. A place to go definitely!
(3) Don´t care about the number of tourists that you might find. The beauty of the Temple and the energy of the place are worthwhile. Find a local guide because the story of the Temple is very interesting. I recommend going to the Holy Water Spring if you are in tune with the mood. If not, just take a couple of selfies ...
(4) The people of Bali are truly talented and it shows by the beautiful temples they build, appreciate and maintain. This temple gives you a tingly feeling of calm and the view of the lake it sits on just emphasizes this!
(5) The temple is located in a lake surrounded by a beautiful hills.The location is so peacefull and gives harmanoy to all.The cold wind and low sun light will always give a blessed feeling to the visitor.only disadvantage is you have to wear balinise cloths to visit the inside of the temple
(6) I can only share the opinion of other fellow tourists who were disappointed by the robbery going on at this temple. \nFirst of all noone tells you exactly what it means \there is a ceremony ongoing\" until after you stand at the gate of the tempel. By then you have paid already 60k for a horrible shuttle service from an overflow carpark to the main carpark then from there to the en.\ntrance where you must rent a sarong even if you are fully covered. So you have paid 60k for basically a bag of surprise...\nAt the gate of the temple you face the bitter reality that as a tourist (not prayer) you are basically not allowed to see 90% of the tempel because of the ceremony. \nWe were very disappointed and angry as we have only had good impressions of the balienese people and their customs up till now.\nI am sure the temple is nice...just avoid it if there is a ceremony ongoing."
(7) We arrived there around 3 pm , as our driver advise and arrange to get there not by the lunch time . Its to crowded he said . It's such a beautiful place , peaceful and cold atmosphere . No wonder even late afternoon there still some crowd around the Temple . Amazing floating temple with lake and mountain background . It was a little bit foggy and rain but still we got a lot stunning picture moment . \nHighly recommended place to visit but its better early morning or late afternoon for less crowd .
(8) The first temple we saw that was set in the middle of the sea. The temple is a small hill in the middle of the water and you walk with the sea water being a little above your knees (if there's high tide) to see the temple. There is a mini spring (sort) at the base of the temple which runs holy water that is offered to the Gods inside. Though you cannot enter the main gates of the temple and see the idols (or structures), it is worth going this place only see the unique beauty around it. Surrounding the main temple are mini cave like structures that fulfill the beauty of this place.\nMust visit.
(9) Once you step into the temple, surely you will find out the answer why this is a must visit place while in bali.Fantastic view of the ocean and overhanging cliff. Great place to also enjoy the sunset.
(10) It is slightly difficult getting there as it is a single road in each direction so one needs to keep sufficient time for the visit as the probability of getting traffic is high. \nThere are stairs to be climbed, hence might be difficult for ones who aren't used to the same but is easily possible for active elders. \nThe temple is located at the cliff and edge of the ocean (it is end of Bali) and there is not much there in the temple but the view is really awesome and breath taking, one can easily spend a couple of hours just enjoying the same. \nThere is a walk way on both the sides and the views across the same is remarkable. \nIt is a photographers's delight especially at sunset as the views are amazing as the water is really beautiful. \nThere are cultural programs in the evening though I didn't attend the same as I was staying in Ubud and had a long journey back to the hotel. \nPlace was really crowded and one needs to find a day and time when crowds can be avoided.\nGreat views and can be visited while in Bali.
(11) Somehow I had a vision of a quiet lakeside temple. Instead we found an area disastrously badly developed and really really worth avoiding. The higher two lakes we hit in the mist so no idea what they were like but overall rather sad.
(12) The temple is located at the seashore. In the evening the tide recedes and one can walk to the temple. The sunset view from the rocks is amazing. We spent around one hour admiring the temple and the sunset view. Definitely worth one visit.
(13) Gorgeous temple and surrounding area. Lots of tourists but luckily for us we were there at the time of a celebration so was doubly impressed. Worth the visit. Strange as outside of the temple itself there is a spongebob
(14) stunning temple set high on a rocky outcrop. best viewed towards sunset. be prepared for huge crowds. a good idea to get there an hour or more early to browse through the many interesting and non-pushy market stalls. good lawned areas and other viewpoints from which to see the temple, or just wander on the beach or rocks.
(15) It is beautiful temple especially at sunset. I was lucky to be there at the right tide so I could walk around. It was a ceremony day for people of Bali so there were many religious followers with baskets full of offerings. I have observed some of the ceremonies held in front of the temple.
(16) One of the best temples in Bali. Best time to visit when Morning visiting temple or afternoon to see the sunset. This place is located a bit away but amazing where we are presented with magnificent scenery from the beginning we get to the beautiful beach with great waves.
(17) This temple has a few rules but unless you are over 6 months pregnant or menstruating you should be good. They require everyone to cover knees and shoulders and have sarongs for rent. If you bring your own, the temple is free, however a donation must be made if you borrow one.\n\nThe temple is the oldest in Bali and is quite lovely... to get a picture with the gate, you need to stand in line and its a loooong line so be prepared to wait for that perfect Instagram pic! They have a guy taking the photos to speed things along, however there is no water - its just a mirror used to reflect.
(18) We visited the temple on a recent holiday in Bali and although very touristy and busy it is well worth a visit.\n\nYou are dropped off at a front gate where you need to buy a ticket then navigate through a multitude of tourist focused shops and food & beverage joints, if you want to buy something then do but I found this a little too much to have to walk all the way through and navigated it quickly.\n\nAs you approach the entrance to the temple grounds you start to notice how busy this is as we visited on the approach to sunset, you can wander towards the temple taking pictures as you find gaps and the views you like.\n\nWe had previously eaten dinner at the Pan Pacific hotel where they have views of the temple from the hotel and golf course so we had arranged dinner again for that evening. With this in mind we followed the beach around past the temple and headed towards the hotel from the seaside and found numerous opportunities to take shots of the temple and the various groups finding their own perfect spots. As we were eating at the hotel we walked up on to the grounds and had he opportunity for some great pics and made the decision to go for a drink at the hotel to watch the sunset as you have a decent view.\n\nThe temple overall is worth the visit, at sunset it will be busy and it is touristy but what do you expect, that's why I made the choice to have a look but continue on he move to somewhere I could relax with a beer as the sun went down whilst having the view.
(19) Incredibly commercial, with aggressive priests and a super crowded milieu. \Donate\" to drink from the holy spring, and \"donate\" to see the holy snake. Can't go inside. Beautiful location though, especially as the tide comes in and cuts it off."
(20) Another nice place in Bali which is not to be missed at all. Great views of the temple and the ocean. Its totally open so if its hot afternoon, please avoid and go in the evening. You will love the beauty of the place.
(21) We got there a little too late for sunset and didn't get to see much as they were closing but overall a very nice temple. A little touristy so getting a shot may be difficult with the amount of people trying to get that instagram shot 🙄
(22) The temple itself is lovely! We were hoping to catch a nice sunset but it got a little to cloudy. There are some quiet areas but the majority it so busy that it's hard to relax or take any nice photos. Worth seeing but I wouldn't pay again. Namaste
(23) Really a stunning place to visit. As is everywhere in Bali there are market stalls you walk through to get to the temple area itself. The ocean view is spectacular however it's extremely busy. A handy tip is to head left when you get to the sea, past the temple viewing area and up the path lined with stalls. At the top you'll find some restaurants / cafes with an outdoor seating area overlooking the temple itself - great view, peaceful, no crowd! I had a fresh watermelon juice and it was delicious.
(24) As I was passing by yesterday during a trip around, I decided to stop by.\nEmployees are not that friendly and can clearly see that only money count for... You have to wear a sarong but did not even help/assist you to wear it and even for all.\nFull of Chinese mainland people yelling, talking loud and shooting you with their iPhone 6 for a yes or not and of course without to asking you. Definitely frustrating as I am not quite certain they do understand the purpose to visit this Temple. Place is not that clean despite I saw a lot of people cleaning especially near by the cliffs. In few words: disappointing.
(25) The far road trip is worth the ride. The cliffs are nice and the enormous waves makes the place very special and unique. Sunset is not to be missed. Very magical place to spend a couple of hours. The small temple itself is not visitable, only for worshipers. Careful about the monkeys, they can steal your stuff.
(26) Going early is advised to avoid crowded tourism. The weather is very moist and in our period it was a bit chilly so be prepared. The Naga dragons are really pretty but were in decay. The temple itself is not very impressive but, regarding it's big advertising image regarding Bali. It's a must see. \n\nAvoid going to take pictures with the poor birds and bats they stalled out in a photo booth. Against a price you can take pictures with the poor creatures. The bats are stalled in clear daylight which disturbs their biorhythm and waking them up often also does. Don't Fund them.
(27) I loved this temple\nIt is a must see place . I loved the sunset and the view of the ocean\nGreat place to take some pictures
(28) Don't get me wrong it is a great sight to see.\nThe temple itself is a testament of endurance against the forces of nature and is a beautiful sight.\nBut because it is the most famous tourist spot it is almost impossible to enjoy it. The shops situated inside the complex attest to the commercialism of the place. The surroundings are pretty and are a great spot for a photoshoot.
(29) It is a must see temple in Bali. The entrance ticket is 30000 Rupiahs. Beware of the waves especially during high tide.
(30) Bali is known for temples and you will find many temples here. They have some temples which are like pillars to their belief. This temple is one of 6 as per taxi driver. This temple is situated on cliff in south Bali overlooking ocean. It is built in huge area and walk to temple and around overlooking sea from cliff is just amazing. There is small fees of 30,000 IDR to enter the temple premises and sarong is must to wear which is included in ticket cost. There is belief that power of 3 Hindu lords Shiva, Vishnu and Brahma unite at this temple to save Bali from evils from sea. Its a must visit temple if you are in Bali. We visited in noon time and didn't attend the cultural dance show which is done here every evening. There were many tourists in noon time as well.
(31) Low tide allows you to actually visit the temple and surrounding beaches, but the sceery is more epic during high tide.
(32) Not easy to drive there. It was on our way to the North, but it is one of the best temple in Bali. You access almost everywhere and see everything. It can be a bit busy so choose an early time in the day if you can. Don't drive pass this place, you have to see it!!
(33) First thing I did on Bali, and it was a great start to my trip. The walkway around the cliff edge is great for taking photos of the water and opposite cliffsides. The temple itself is less impressive if you have been to a lot of temples in se asia, but it was a lovely day and spending it walking around in the open air while observing this holy place was a great way to spend the afternoon.
(34) The grounds are huge, we spent a long time walking around checking out the cheeky sculptures and temples. Tucked in one corner was a place where you could get your photo taken with a bird, bat or HUGE snake. Sean was keen for a bird of prey, I wasn't.
(35) The entire temple site is very interesting. One can see surfers down below the two ocean perched outbuildings. In low tide you can actually walk out to one. The other is accesable by a overland bridge.
(36) We haven't seen much of the temple itself, since access to that is only allowed during the one week every few months where there is some Hindu ceremony. The views from around the temple are nothing but spectacular, so a definite recommendation to visit during the day.
(37) This beautiful temple located on the west coast of Bali Island. By drive about an hour with motorbike , you will be arrived in this amazing place. This temple is one of the best landmark of Bali that you need to visits if you are having holiday in Bali. To enter this place you will be charged around 20 thousand rupiahs (for local) - and might be double for foreigner (i dont remember how much is exactly). \n\nEither if you arrives during the low or high tide, you are lucky. During the low tide - you can enter the temple and if you'd like to you can take the line to got the bless from the priest in the temple. Beside that, there are also some nice spot on the rock that you can use to take a beautiful picture. But always be careful, because the rock is slippery. During the high tide - for sure you don't have access to the temple, as its builted on the big rock on the infront of the beach - but you can see the beautiful view when the waves hit that big rock. So massive and amazing. \n\nLast but not least, the sunset view is super amazing in this place. Don't miss it when you come here. it usually start between 5.30 pm - 6.30 pm - but only if the weather is good and the sky is clear.
(38) This is the most iconic image of Bali and truly, it is worth it...amazing sunset...walking on the rock when the tide is low to reach the temple site (prohibited to walk up to the temple)...
(39) Went with my daughter and our taxi driver waited for us. Lots of tourists and shops so maybe go early. Very organised and lots of signs to temple. Tide was out so we walked over to be blessed with holy water and rice. Paid a donation then went to climb steps to temple and not allowed not sure why. Be warned if you need the toilet go near the main car park and you are charged nearer temple not much but awful dirty toilets. Charge 60 RP for foreign tourists which is very good value. Gardens are beautiful to walk round we just found it very hot and too many people so definitely try and go early. Didnt stop at tourist shops as all sell the same stuff you get in the high street.
(40) Nice place to visit if you are in Bali. The Temple sits on the shores of a lake and has a calm, serene presence.
(41) It's ok: not must go in your first visit to Bali. You can only visit the temple from far to take pictures... No access allowed.\nLots of people in the area trying to sell you just about anything...\nDon't plan to go back
(42) If you are in Bali you must to see this temple. I recommend to go there for sunset, though it is very crowded, because the view is one of the best in the world.
(43) The usual temple spots in Bali are always flooded with people. And its really alot alot of people. The temple is quite big and is special because you can access this temple in the sea when its low tide. We also saw surfers surfing. The temple would be great if theres less people.\n\nMore information: Youtube/lolsia2000
(44) This place has a entry ticket of IDR 60,000 per person and it wasn't justified, it has become a market instead of a temple. There are shops everywhere you see.
(45) The temple is absolutely worth the visit. Especially during sunrise or sunset, the temple in the sea gives an almost idillic scene. Be aware that it is a very touristic place, and thus there will be a lot of small shops etc.
(46) Before visiting Bali, this Temple was the first only on my list, whenever they market Bali, I would find, and so I wanted to visit this temple. I was staying in Ubud, realized it's a 1 hour ride ( I hired a scooter as the best option) left to that place at 6:30am little did i realize it would be freezing cold. Visiting early morning at Sunrise was awesome. The Temple was great good splendor. There was a 3-4$ Entry feel but worth it, Must recommend.
(47) As most of the temples in Bali - you can't go inside. Yes the place is very beautiful, and yes the garden is amazing, but really, nothing so special. It is very well organised for children. If you are with your family, there are many playgrounds, figures, options for pictures with baths, parrots and so on :)
(48) Very interesting to see the temple and the beautifuk lakeside so peaceful and a quite even with the tourist, stroll and walk around in the garden admire the flowers trees and the temple also the surrouding hills create a peaceful atmosphere. Lots of Balinese statues Hindu a must see if you are in the area.
(49) Im happy to finally cross this off my bucket list!! Such a beautiful temple with a lot of history.. unfortunately we werent able to go to the middle part of the temple due to the ceremony. We rode a car up from the parking lot, put on a sarong, and walked up the gate within 5 mins. I highly recommend riding a motor bike down! So fun! Our guide Kesut (spelling?) was awesome! He was very informative and we loved his energy and he was our personal photographer too 😂
(50) The pity of Bali is that you rarely get to see the real attractions that are now lost to bureaucratic interference, and commercial zeal and of course trampling tourists. Thus the place is replete with fake promises and tourist traps and you miss the real deal.\n\nThis temple is shut down for all tourists - so you cannot go in inspite of what they write or promise you. \nHowever you can walk across a tiny strip of sand and that's the exciting part and then go and see the footsteps and a small cave (but not the temple). Is it worth it - you decide. Otherwise its a nice place to catch the sun and the views of the temple and there are lots of shops and restaurants about
(51) This temple offers a gorgeous view on the sea and but almost no information on the temple itself. That's a pity.\nI do recommend it, though, as it is really beautiful.
(52) worth to visit, but not worth to pay for a contribution for the temple.the view is massive, even have a golf course nearby
(53) What a temple it was. Located near the sea. Around 200 feet above the sea. You need wear different clothes to enter which are given by them before you enter the temple. Nice view.. Endless sea...
(54) My husband and I were brought here at the end of a day tour of Bali to hopefully witness a beautiful sunset. Unfortunately, the clouds spoilt the sunset, but we arrived in the main car park around 5.15 pm and had a quick look at some of the many market type stalls en route to the beach and temple. I also enjoyed seeing the Luwaks first hand, that live around the coffee plantations in Indonesia. The coffee shops have them as pets!\nThe steps down to the beach and the beach area were very busy at this time.\nThe tide was out, so it enabled us to go to the bottom of the temple, even though you aren't allowed to climb to the temple.\nWe joined the queue for a \blessing\"! I'm not too sure how \"sacred\" the blessing was, but we enjoyed the idea of it. For a small donation, you have access to \"holy\" water, have a blessing with rice on the forehead and a flower put behind your ear!! It felt a very lovely thing to do and we felt we were on some sort of hippy trail!!!\nWe were disappointed to not witness a beautiful sunset, but climbed the steps above the beach and to the right to the bars and restaurants overlooking the beach for a drink to cool off.\nI particularly loved our visit to Tanah Lot, it felt like a true Bali experience and I will treasure the memories of it :-)"
(55) To be seen but I personally prefer the Ujung Water temple.
(56) The best attraction to view the sunset from. If you reach early before the tide sets in, you can go to the temple situated on a rock. Because of the popularity of the place it gets very crowded and that can be annoying. Definitely a must visit in Bali.
(57) You can visit the temple during low tide, but can only watch from a distance during high tide. Great sunset view. You will most likely be wet.
(58) The temple is beautiful and the view is incredible! There were many people but not crowded as the majority of temples. Is a temple that everyone must visit when come to Bali.
(59) This was our last stop on an all day tour, and what a great place to end the day!! The temple sits out in the ocean and can be accessed on low tide, which it was when we arrived. Visitors can go up to it but not inside, that is reserved for locals who wish to prey and leave an offering. We were about an hour away from sunset, so our guide suggested that we sit at one of the restaurants close by with an amazing view of the temple and ocean and have a cocktail and wait - so we did. I recommend a visit to this temple if in the area, it was about an hour drive from Ubud and just a small entrance fee, I think it was around$5US.
(60) A place so scenic is hard to ever forget. \nSet amongst the mountains and an idyllic lake, the temple is a must to see when in Bali. \nThe temple complex grounds are also immaculately maintained.. \nOrganised car parking makes it easy to access the place too.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) One of the most beautiful places one must visit in Bali.Stunning view of Indian Ocean with one of the oldest temple.But from religious point of view Hindus from other countries are not allowed to worship in the temple(as I saw during my visit).For Female its a good place to buy various types of beads necklaces with decent prices.
(2) First thing to know is you aren't allowed to go to the temple since it is in the sea. You can only see it from far and stroll in the garden made. Plus they charge you 60.000IDR for entry.
(3) Was worth a short visit as the temple is famous and on their 50,000 note. It was quite crowded when we went and there isn't much to do there. The grounds and temple were beautiful but there were some really tacky amusement-park type sculptures and things that were super weird. Peddle board for hire were also weird and a the typical tacky tourist crap shops on the way out.
(4) temple on lake cant actually walk out to temple it appears on the local money. would only bother if in area grounds had some animal statues we had fun taking photos with
(5) We went when it was low tide so we could come close to the temple. Really beautifully set by the cliff. The sunset was magical.
(6) The temple is just amazing and really crowded. It is better to visit in the morning. On the way back from this temple horrible traffic since the road are small and volume of vehicle.
(7) This is a great experienced temple .I have had a low experience but very different so you can imagine how different
(8) This place has a different charm of it altogether. The temple is situated on a lake surrounded by a big garden with mountains in the back drop! It's view is very similar to a dreamy artist's portrait of a holy shrine! The beauty of this place will not disappoint you at all. You can plan this trip along with Git git waterfalls.
(9) Weve visited Danau beratan on our way to Munduk and is was just a nice stop to make some pictures. We were glad though that we didnt book this as an expensive daytrip. That would definitely not be worth the money. It feels like your in some kind of attraction, with kitsch statues everywhere and there doesnt seem to be any holy or religious meaning or such around the temple. \nSo nice stop but dont take to much efford to go here.
(10) Most beautiful place to see so many different nationalitys here all in one place was very special. Was very busy in the late afternoon we didnt get to see the sunset as it was too cloudy which was a shame. But was so beautiful and the temples were very special and so much detail just very gorgeous..
(11) Great view around. A visit at fullmoon is recommended, cause its possible to go to the temple then. We loved it!
(12) Perhaps all travelers to Bali would want to visit here and I am one of them. I really like this temple, very amazed at the splendor of this temple. This temple really has an extraordinary charm especially in the evening with the sunset view is very extraordinary.
(13) We drove a long way to reach Beratan Lake, and what a massive disappointment it was. \n\nWhat is clearly a stunning temple on a beautiful lake with mountain backdrop has been completely spoilt and turned in to a tacky, amusement park style tourist destination. \n\nFrom the minute we arrived and saw 50 Chinese tour buses parked outside we knew straight away it wasnt going to be what we expected. \n\nThe trashy swan-shaped pedalos floating about around the serene waters beside the temple were enough for me, we left. Fully expect to see a theme park with rides there the next time.\n\nSuch a shame a beautiful and traditional Balinese national heritage has been ruined to satisfy the masses of Chinese tourists - and not the first place in SE Asia to do that.\n\nDont waste your time!
(14) Not the cultural experience that you would expect at a temple, huge amounts of tourists.Nice view over cliffs though.
(15) One of the most beautiful Lake Temples, offers breathtaking panoramic views of the Lake Bratan in the backdrop of a mountain surronded by clouds.......Do try the Speedboat tour of the Lake (Its worth it).........This is a must visit place in Bali.
(16) We ignored the crowds as best we could and concentrated on the beauty and siting of this amazing temple. We arrived during low tide and that gave everyone more space, but we could imagine that it must be packed at sunset and/ or high tide. The sea was rough which gave an extra dimension to the majesty of the temple. It is a must see in my opinion but just be prepared for the crowds and washed up litter on the beach.
(17) The temple is situated on a beautiful cliff overlooking the ocean facing west, making for a beautiful sunset scene. The sprawling complex around the temple is bare of interesting features, and the temple itself is not accessible to visitors. Don't come here for a temple tour, come for the views.
(18) We were here during low season and even then there are way too many people. Difficult to get a good photo or anything, including the sunset when everyone is trying to take \the perfect photo\". You can't visit the temple at all and like any tourist spot people are trying to constantly sell you something."
(19) Temple on the edge of the lake and the view is lovely. We were there before noon and the crowd was manageable and had no problem with taking photos of the temple. We did not linger for too long and did take a quick walk cutting through the garden,
(20) Perfect site. \nThe combination of ocean and the temple is very appealing and peaceful. \nYou will never see such a place anywhere in the world.\nMostly recommended.
(21) This visit I felt I could have avoided. True that the view of the sunset and sea is beautiful from the temple which is on a cliff. But it surely wasn't worth the long drive to reach there.\n\nThe temple itself is closed to tourists - probably, because of the overcrowd there.\n\nYou pay 20k for the car entry and 30k for each person.
(22) SO happy I found this place during my search of Bali!! Very beautiful temple, and uncrowded. Stairs were not nearly as steep as I expected, it was totally do-able! It was just a suggested donation, I think we gave about 40K IDR which they seemed happy with. Unfortunatley it was cloudy the day we were there so we couldn't see the mountain but it was still beautiful! I would highly recommend a trip here!! No one was there trying to sell us stuff or harass us at all. Excellent stop!
(23) Beautiful and breathtaking views. One of the best sunsets I have ever seen. I would recommend visiting this temple when in Bali
(24) A very mesmerising, scenic view with the zen feel. Just got to \put up\" with people sitting on the steps/ hogging the pathway for photos/ chilling out purposes. Able to see Mount Agung from inside. Truly the \"Heaven's Gates\"!"
(25) I thought this temple was in the middle of the sea, where we'd have to walk out to it...it was not that. It was pretty much on the beach (not a nice sandy beach, or anything) with a bit of water surrounding it. It wasn't anything spectacular. I'd suggest you go see Ulun Danu Bratan temple instead of this one (the one in the Lake). \n\nI'm sure if you went during sunset, it would be a fabulous view...so if you can time it for that, do it, otherwise I wouldn't go out of my way to visit this temple. \n\nNote: You can't go in it; you can just look at it. I believe some people were opting to wash their hands and feet with some holy water so they could go up a couple of stairs..but still not inside the temple. \n\nThe cost for one person was about 30,000 to enter.
(26) Enjoy the breathtaking view of temple & sea. A good walk around temple. At one corner, they have owls, bats, pay to specially have photo session with owl on your arm. Worth visiting this place. Good for photography.
(27) The iconis corn like temple tower you see in pictures can not be visited or come close to. It is inside temole that is off limit.\n\nSo you come here to see the view of cliffs. Walk along the cliff edge with other tourists.
(28) 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!
(29) The temple located in middle of sea. Amazing view. But huge tourist crowd. The sea is incredibly beautiful.
(30) This temple is a must see when in the north of Bali. Beautiful gardens and amazing temple on the lake
(31) Ive always wanted to go here and wasnt disappointed. 90 minutes drive from Ubud which is actually quite an interesting drive. Cost is 50,000 rupiah to enter and well worth it. The iconic temple itself sits on a couple of man made islands giving the impression of floating, and also means that tourists cant climb all over it. As well as this temple there are numerous other buildings all set in nice gardens along the lake edge. Easy to spend an hour or two but it is that iconic photo you have to get. Worth noting we arrived early and very few tourists around making it a nice relaxing experience.
(32) I've been to Bali many times and always wanted to visit this temple. I got close, driving by a few months ago as we hurried to a friends village for a ceremony. Today I finally got to stop and enjoy this beautiful place! So did lots of other people but it didn't matter-we were all there to enjoy! As with anywhere in Bali, there was a small cost involved-$3 Aus per person, but it was well worth it!
(33) The great place to catch the sunset. Really love the ambience around the temple and beach. For the entry ticket is affordable. We will be back soon!
(34) A beautiful morning of driving from Amed Beach took us to this mountain with many famous temples. I was not prepared for what we found. I started to feel uneasy seeing gaudy posters advertising Instagram tours and images of tourists doing cheesy poses in heart shaped swings. When we arrived at the lower temple, I found out this was the main draw, and for most tourists the only spot they were visiting. We were given an entry ticket and dutifully donned sarongs and then the realisation hit; the ticket was to join a queue of tourists all taking the same photos of themselves at two opposite ends of the temple. There is no chance to explore let alone photograph the magnificent view as the Instagram me me me tourists have taken over. \nWe walked to the top of the mountain 1800 steps, very very hard work and enjoyed the temples at the top, with only locals there praying.\nReturning to Disneyland, the crowds were unbearable with dozens of buses and guides desperately trying to coral their charges away as young men with loudspeakers up above shouted abuse. I even saw a Balinese guide totally lose his temper screaming at his flock to get in the bus or be left behind. Just awful.\nPerhaps at dawn this can be a beautiful experience but is otherwise an instructive illustration of how mass tourism has ruined parts pf Bali. Be warned
(35) This is an amazing temple on water, clean and peaceful without anyone harassing you at the gate. No guide needed you can visit the temple on your own... On your way to pemuteran for example please make a stop here....
(36) Come here in the evening and less crowded. Spectacular sunset, cliff facing Indian Ocean, one small temple on the cliff. Perfect for photo-shooting!
(37) Very disappointing visit to this temple, poor customer service with very little direction by staff not to mention people trying to earn cash on hands by convincing tourists to take them around for a tour (for a lack of a better word). Our visit was made to be very short after a lady got attacked by a vile monkey trying to take her belongings. We could not even get into a temple as it is restricted to people worshiping only so we were left to question ourselves what was the point of paying an entry.
(38) This was such a peaceful and beautiful place to visit. We found that there are villas near by and would definitely consider staying there if we go back. The temple is beautiful and the garden and grounds are amazing as well.
(39) It is the in most amazing place in Bali. You should spend at least half of your day around the temple. Nice place to take pictures, shopping from markets and eating there. You should wear sandals during the travel.
(40) Attracts a lot of tourists however the temple and setting is breath taking. As well as being nestled at the bottom of high mountains and surrounded by serene waters, the atmosphere felt fresh here compared to the smoky city. Up from the temple you can also pay 30k to take fun photos with various exotic animals!!
(41) Rode 2 hours from Ubud to this place, amazing view at every angle, better if you could photoshop humans out of the picture. Unfortunately couldn't get into the temple, remember to get their traditional clothes if you're really interested in having a look inside, of course, during low tide.
(42) If you're hiring a driver, you should stop here. It's a beautiful drive (but far). Lovely temples on a lake. you can't go inside the temples though .
(43) The temple is nice but it's so turistic and in 5 minutes you finish the visit. it's a small temple in the sea and you cannot enter. i expect more than this.
(44) Stairways to heaven? It felt like that! This unique temple took my breath away. I'm speechless! I will never forget it. This is a must see!
(45) 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 .
(46) Must visit place for every traveler who visit Bali. Visit around 5 p.m. and stay there till Sunset. The magnificent view of sunset during low tide and sunny Day. \nPlace was quite crowded maybe because of China holidays during our visit. If talk about temple its beautiful in the middle of water with nice view.\n \nOverall nice for spend sunset evening
(47) Was visited early in afternoon before crowd arrives, use our regular driver who explained all areas and history. He knew where to park and get out closer to area missing the tourist alley of stalls, so good. Great photo shots, pity all this will be swallowed up by the sea in years to come. Not in our lifetime hopefully but waves and wind will do damage eventually. Small amount locals trying to make money selling items very annoying at times. Small walk down stairs to main temple base, but no actually access to the temple.
(48) This is one of Balis most populait temples to visit. So it can be a little crowdy. But there is a lot of space so dont worry about this. Best time to visit is end of the day. You get a beautiful sunset while surfers are riding waves down below. Take some time to relax and enjoy the terrain.
(49) We visited here with seniors and at some point they took a seat while we went further on. There is a reasonable amount of walking but worth it. The temple is beautifully constructed in the water. There were good picture spots. If you have the time, do visit.
(50) Our tour guide told us that this was one of the best temples in all of Bali and I think he may have been correct. The Temple sits out on a cliff over the water. The waves are constanly crashing against the base of the rock it sits on, which offers a beautiful photography opportunity. You can take you r time and walk through the temple grounds and catch some awesome views of the black sand beach and water. During low tide, you can scale the stair case and actually access the beach to the right of the temple. This affords you even greater hotography opportunities and really chill environment. For all of you drone flyers out there, you can fly your drone in this area but they will charge you 500,00IDR (about $40) to do so. So be aware or just be very careful. I think for $40, the aerial footage is worth it .
(51) the temple is only accessible at low tide and only Balinese people are allowed to enter. It was surrounded by trees so you couldn't see properly - all the famous photos are shown from an angle you cannot get to, I felt it was a waste of time and there are many more much more beautiful temples to visit. Extremely touristy
(52) I love to be here....the location wise, half way to the rock...got lots of Gods...can have a nice photo shooting here...
(53) Amazing view of the ocean. This temple is located on top of the hill and there is an admission fee to this attraction.
(54) This has to be another unforgettable visit to this beautiful temple especially for it's amazing views even though it was very windy and after a heavy downpour. Spectacular!
(55) Gorgeous temple over run with hawkers and tourist traps. On the way to the temple (less than 500 metres away) is a Ralph Lauren store. What more can I say. If you are going there, time your visit for sunset, the most beautiful time to see the temple.
(56) This is definitely a must see destination. The temple is absolutely beautiful with beautiful scenery. We went during the day when there is less tourists than at sunset. We got a blessing at the base of the temple and it was a lovely day.
(57) We spent a day traveling around Bali to see different temples. Each one was well maintained and individual. This one on the lake is quite unusual. The grounds are lovely.
(58) There is nice view at the sunset time. Many people come to see that. It is clean and nice. However, it is nothing really spectacular. Sometimes is overcrowded. Also, the best part is reserved just for Hindu people, otherwise you cannot get in. I respect that however it would be good if we all may get in. Be aware of monkeys they are everywhere and sometimes they try to take from you whatever you have (camera, drink, water. ...Be careful with them.
(59) Highly recommend this temple. It is situated on a lake. Lovely looking trees surrounding. Large expanse of parkland around the temple.
(60) The Temple is on a rock surrounded by the sea . This is the standout highpoint attaction in a large complex and there are many other temples to see so allow more than 2hrs for this tour. entry fee is 65000rp

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) It's dissapointing to see really beautiful places very commercialized. Sometimes it's necessary and perhaps the temple is closed for visitors so it can be used for traditional uses, but it feels very touristy.
(2) This place is a shrine for the local Balinese worshipers to make offerings to their deities. Its located by the sea on a piece of rock. Rituals can be seen performing daily in this area. So this place is not only a seascape wonder, it's also a cultural foot hold. Sitting low tide, the shrine on the rock can be reached by walking on the exposed sea rocks. During high tide, the shrine turned into an island.\n\nThis place is also popular for surfers as the it has good waves most of the time.\n\nThe cliff formation along the coastline is an amazing sight and it stretches to a far as the eyes can see.\n\nBeen here many times, and it still amazes me until today.\n\nOther than sight seeing, tourists can shop for many cultural items and souvenirs her as well as there are many shops and stalls to fulfil your indulgence.\n\nHighly recommended!
(3) Fantasticplace the temple the walk the buildings and the shopping area ajoined. Had dinner there last trip and the sun near set and rotten clouds came such as life. Will be back this year.
(4) It was bad weather around 10am and it was raining and the waves in the Indian Ocean were unruly. so we just have to contain our selves at the top of the hill watching the temple from a far. at a very good weather, one could go nearer the place during low tide but very dangerous during high tide. even at the hill top, one must be careful not to go further than the marker for there were incidences of falling as per our tour guide.The temple added beauty to the seascape and it has become very iconic for Bali. A must see when in Bali.There are lots of food stalls and souvenirs at the frontage leading to the sea and spacious parking.
(5) This is one of Bali's great spiritual and Mythological locations and a visit here is truly worthwhile. Like with all Balinese Temples ensure you are appropriately dressed in a Sarong.\nYou are permitted a Camera and there are some wonderful stone carvings to be seen.
(6) The view is amazing especially from the side park of the Pura\nThe mountain lake and the sky make a perfect scenery \nMy favorite place in Bali \n\nThe entrance for local domestic is 10.000 rupiah for Foreigners around 30.000 rupiah \n\nKinda far for city center took around 2-3 hours to get here \nIts better to have lunch before get to to this temple , there is strawberry farm on the way up to this temple and many restaurant with cool view also \n\nWorth visit
(7) We have been in canggu and saw that few km far away. Temple is definitely worth to visit. You can take pictures, find to eat&drink smth. Enterence is 30K per person.
(8) This temple is situated on the bank of the lake, its a picturesque place, with greenery surroundings, the temple located adjoining to the lake is a beautiful visual for your eyes, from here you can see the foggy mountains beyond the lake, this place is cooler then most of the places in Bali, its like a hill station..
(9) Well worth going to see the temples are very picturesque but please be careful I got bit by fire ants and it is very painful it was cloudy when we were there so left before sunset, I think it would take a longtime to get out if you wanted to watch the sunset as it is very crowded
(10) Definitely worth seeing! The view is breathtaking. You cant access the Temple itself but once blessed you can walk up a little bit of it then free to explore the beach. Also once you have been blessed they will ask for a donation.
(11) You cannot visit the Temple, just walk around the area with thousands of tourists. We waited until sunset and took some nice pictures. But trapped in the middle of people does not look so cool. The sunset isn't worth the long trip, could see it some where else.
(12) The sun, The sea & The temples. Nature at its best. We were able to witness the locals travelling to the temple with their offerings and prayer rituals. What a sight! An experience worth this trip!
(13) Beautiful place, different from most of the other temples we visited. \n\nUnique architecture and the view on the lake is amazing. \n\nAlso less strict about putting on sarongs compared to other temples
(14) The view at Temple #1 is the best, picture came out insta-worthy - Called the window of Heaven. Will recommend going up by the main road, and down from the shortcut just before temple 6. Balinese are really religious and the hike up is indeed a test of faith. Plan for 4 hours to go up and down for most people, unless you are really fit.
(15) can watch a beautiful sun-set. You can have a long walk and go to Petitengate temple. their you can have a peaceful time, see local people pray the god along with their family and friends.
(16) Magical temple with beautiful view, nice balinese people, very romantic and you can feel the spiritual balinese culture
(17) You can't go inside the temple. You are only allowed to take pictures from outside down below the temple. So, the only photos you get are the photos you can find on google. If I was able to go inside the temple it would have been more interesting. \n\nSo, I paid for a taxi and temple entry fee to take pictures of the outside of the temple?\nTotal waste of time and money! The only good pictures was of the water and waves.
(18) We visited this temple as part of an excursion offered by our cruise ship. Both the temple and the setting on a lake with mountains in the background were really lovely. The temple was set in large well maintained gardens. We were fortunate to visit on a festival day and witnessed an impressive procession. Everyone was beautifully dressed, especially the children, and were all friendly and smiling. Prior to this visit we had been to a family compound in a traditional village which was very interesting but a big disappointment was that we failed to visit the rice terraces, which were supposed to be a highlight of the tour. The reason given was a vague reference to parking difficulties.
(19) Great views, suggested to reach there by 4 PM so that one can visit the temple during low tide and also enjoy the sunset provided cloud cover is not there
(20) This is a must, if you can be there around 6 for sunset and have a bite to eat and a beer while viewing the temple and sunset from the cliff top. Do not pay extra to go to the temple as you only go to the base of the stairs so not worth it. This is a must if you can while in Bali.
(21) The famouse sea temple on the island of Bali which is dedicated to the God of water. The place is a great spot to make pictures
(22) The place is mainly touristy with plenty of busses, and selfie photographs. But it has peace and is really exotic as the temples are on the water. Also many boat possibilities to go around on the lake.
(23) It's recommended to go there in the morning or noon when the tide is low so you can go up to the temple. Beautiful place but be careful there are a lot of street sellers; just politely decline and don't take anything they try to give or offer you. Should be fine.
(24) Do not go here expecting more than a temple and a stunning view and you will not be disappointed, Lovely for a bit of quite time, well it was quite the times I went, bar one.
(25) Beautiful temple on the beach, worth going to see but you may only need a hour to see it all as you can't get in to the temple itself. Generally busy, queues to get to holy water and snake! Plenty of stalls to haggle at on way out. Worth a visit, perhaps just for the sunset, but can be a trek from north of the island.
(26) Great place to watch the sunset. Great view and a good site. One must try to reach during low tide for going to the temple.
(27) This temple is located uphill and the weather is very cooling. The scenery is so beautiful and a good place for photographs. It would be advisable to go with a good driver cum guide. This temple is far from city center. It is a must go when you visit Bali.
(28) This temple ought to be visited as early as possible in the morning, before the crowds and clouds gather. We left Sanur at 6am and reached here at 7.45am while the sky was clear and blue, the air cool and crisp, and only a few other tourists present (meaning that our photos weren't littered with little people milling about); in retrospect I would even have arranged to set off at 5.30am or even 5am.\n\nWe spent 45 minutes wandering around the temple grounds and lake, before spending the rest of the morning and early afternoon trekking to the 3 waterfalls in Munduk and enjoying Kopi Luwak and bergedils (potato croquets) at Eco Cafe. Pleasant day!
(29) I like here a lot. Eventhough not grandiose, it's a very beautiful spot off the edge of the cliff which offers the view of the turquoise color ocean or the vanilla sky sunset. \n\nAlso, It seems that this place is also considered a sacred place for Balinese people. So if u r lucky you may see local Balinese ppl doing a spiritual ceremony. We experienced it once and it was a life time memory.\n\nThere is a stair which leads up to the temple gate. Very beautiful. I personally prefers this to Tanah Lot which is a massive touristic location. Obviously that spoiled all the charm.
(30) A must visit spot in bali. Though a bot far from all the main areas, its a place which one cannot afford to miss. Very scenic temple amidst the clouds, lake and the mountain.
(31) It's perhaps one of the most beautiful places in the world, though I haven't seen everything. But the truth is the sunset here is divine. Bali sky can show you amazing colours. The temple is not open for foreigners. But the area is magical.
(32) Bali is famous with unique temples, Beratan being one of them. The temple is located on the water, has a beautiful surrounding park and a vast territory. The problem is, like with many places that became popular, it is too crowded and a little bit expensive in terms value and satisfaction. The entry fee is 50K (parking is included). Although the people in the parking lot will try to make you to pay for the parking separately, dont do this. The ticket includes parking (ticket office is some way from the parking lot). A road to the temple lies through the mountains and is very beautiful
(33) we got there around 4.30 pm, and walked slowly along the sea side and see the fresh water spring, near the temple on the rock. we got the blessings from the priest there when we received some rice to be pasted on our forehead and a flower to be put on the ear. it seemed sacred and memorable for us. and before sunset, it's getting crowded by around 6 pm. the place is good for photo shooting.
(34) The scenic spot in the south of Bali is one unforgettable place to see.\nCome before 3pm so you eont get stuck from the traffic on the way to Pecatu.. Discover the hidden path ways to the edge of cliff view for the best selfie shots. \nWait for the sunset till 5:30pm and then find the peaceful space in this temple.
(35) Was a nice trip out to see the temple in its unique setting, also a nice short walk around the area. Unfortunately they were praying when's was there but I hear it's nice up there too
(36) The Balinese are very creative and this little temple on the shores of Lake Bratan is very beautiful. There's always good photo opportunities as worshipers file in and out. There is also a lot of shops, a restaurant and toilets. Worth a stop if you're driving to Singaraja.
(37) Went to temple on religious holiday so very crowded but great to see all the families celebrating their holy day together. This place is a must to see while in Bali. It would be amazing at sunset also which apparently is a popular time to visit. Some good little cafes & of course lots of market shops to explore. Great photo opportunities as very picturesque. Cheap to visit and we had a driver for transport.
(38) The setting of this temple is really nice, but unfortunately, like many temples we visited, it is crowded and touristy. However in saying that, I'm still glad I visited it, because it is in such a beautiful setting. This is a fact of life these days since Instagram so we just have to grin and bear it.
(39) Firstly we didn't come here for the sunset so it might be a completely different experience. \n\nPersonally I don't think it's a great loss if you don't make it here. It's super super touristy - hordes of tourists from everywhere and dozens of tour buses. Inside the paid area there's loads and loads of touristy shops.\n\nTemple was nice enough but there are so many people around. Overall it wasn't too exciting for me personally.
(40) This temple is simply beautiful, even with all the tourism here. \nBut because of all the tourist it doesn't feel like a holy temple anymore. \n\nIt is certenly worth a visit if you are in Bali.\nThe temple itself is pretty small, so it is not necesary to hire a guide here.
(41) Utterly breath taking. If you are only going to see a limited number of attractions whilst in Bali make sure this is on your itinerary its only 30k entrance fee which will be ploughed back into maintain this temple and the community. Yes its touristy but the sense of peace and calm and the beauty of the surroundings can not be man made. I went early morning so it was relatively quiet. I genuinely hadn't expected such beauty having visited more than my fair share of temples some of which should be missed. \nThere are frequent ceremonies taking place down at the waters edge and I stood and watched for some long while. The experience was only added to by the rolling clouds over the tops of the mountains surrounding the lake.. however the speedboats need to be stopped why ruin such a beautiful sight and feeling of peace by idiots racing up and down the lake..
(42) Beautiful temple by the lake. Busy place\nPlenary of visitors\nSpacious gardens and colourful as usual.\nA bit commercialised, but worth visiting.\nA fine Balinese temple example.\nPossibly off beaten track but makes it more special
(43) One thing you need to see other than the site are the little animals the make the special coffee beans. I think they are called lewats and there are several in the hawker's market as you make your way in. After you get through this array of hawkers pushing the same trinkets you've probably seen at every stop in this region, you end up in a picturesque, calm, meditative spot. I didn't want to leave. I fell in love! I could feel the air vibrate. Make sure you put yourself through the small Hindu ritual. It's a once-in-a-lifetime experience at this place!
(44) We visited only 2 temples on our short stay and framed them into one day out. It's a lovely place to wander around., the grounds are level apart for steps getting down to temple level and then back up again.You could take a picinic as there are lovely grassy areas to sit. There are of course stalls selling snacks and souvenirs. Bring small change with you as you will need to pay for the use of the toilets although they are very dirty, when needs must. There is an entrance charge and if you have a driver you will need to pay for parking too.
(45) this was part of our tour of bali and most people visit in the evening especially at sunset - but knowing it would be too crowded we visited early in the morning around 8.30am. There were may be 5 tourists in the whole place - it was empty to take as many pictures as you wanted in which ever spot you want, and no one hassling you to buy anything either. Yeah there was no wonderful sunset as a backdrop but we did not have to elbow our way around. There are two temples and awesome cliffs where you get good pictures of waves hitting the rocks. the main temple is kind of separated by the sea if its high tide, but that was not the case when we went. There are priests at the base of the temple who bless tourists with holy water but you are not allowed into the temple it self unless you are a local. If you are not crazy about the sunset and don't care for crowds - ask your driver to take you there early in the day - its worth it.
(46) The temple is locate on the banks of a very beautiful and big lake on the hills\n\nThe temple provides with a perfect background for some lovely photos\n\nThe weather here is cooler than crowded beach areas
(47) Must thank Trip Advisor reviewers for highlighting this breathtaking temple, which was also devoid of hawkers and crowds. In fact we were the only people there at the first temple, which helped add to the peaceful and spiritual vibe of the place.\n\nWe'd just been to the water palaces of Tirta Gangga and Ujung, so coming here wasn't much further to go. It's a very steep and windey road up, and we only passed one local on the way. Even our experienced Balinese tour guide had never been here and thoroughly enjoyed the experience.\n\nAs with most temples a sarong is required to cover your legs. However, unlike other places we've visited the people manning the entrance kiosk were extremely polite and didn't demand an entrance fee. Although you are encouraged to make a small donation. We gave 500k each, which is nothing really.\n\nAs we'd had a long, hot day visiting other places first, we had already decided to only visit the first of the seven temples here. The thought of a 3-4hr round walking trip, with vicious monkeys around the higher temples was too much for us. But I can only imagine the great view from the very top based of the first temple's views.\n\nWalking up to be presented with the three gates and stone staircases of the first temple is a special experience. It simply took my breath away. When you climb to the top of these steps and look back, the view of the surrounding area, mountains and sea is fabulous. It felt a privilege to be here and you'd be missing a wonderful treat if you don't come here whilst in the Karangasem area. Loved this place.
(48) One of my top favourite temples to visit in Bali. Great veiws and best time to visit is during the low tides so you can visit the temple but it is still enjoyable when the tide comes in.
(49) This temple its very pretty. Surrounded by lots of water. \nYou can actually walk on the stones in one of the pools, watch many sculptures, fish. \nYou can also have a bath here - If I remember correctly for a extra IDR 10,000. \nJust walk around and enjoy this beautiful place.
(50) You have to pay to get in ($6aud), then walk a mile down to a temple out in the ocean that can't be accessed at high tide. The hawkers in the place and Asian tourists buses really ruin this place. Everyone is jostling for a photo, and it's blindingly hot with hardly any shade. If you don't make the trip, you won't be disappointed.
(51) A first we weren't even planning on coming here and now I wonder why we even went.\nTo even get to the temple, you have to pass dozens of shops and restaurants, with some vendors really being aggressive.\nOnce you arrive at the temple, it's beautiful. We were there after kuningan and were able to witness the worshippers bringing gifts and praying.\nUnfortunately it was also crowded with a gazillion Chinese tourists who barely even looked at the temple, but weren't shy about almost pushing you into the water to get a good selfie. \nWe were being told we were there at a time with not many visitors and we were horrified at the sight of the crowds. If this was NOT crowded, I do not wanna be here at sunset.
(52) one of the most important temple and is excellent here , idolatry were also bless welfare puranya oceans and unique in the corner of a small island .\nyou should not go at the full moon because at high tide the sea water we will be difficult to cross .\nabout the surrounding natural beauty is so fascinating and very rare. don;t you miss this one when have trip to Bali its amasing place .
(53) Great temple with exceptional view. It was one of d best place we visited and I must say the view was stunning. We visited late afternoon. It's usually crowded but a very nice place to take pictures. There are local shops outside where u can find amazing stuff to buy. Choose a shop which has fixed price, they are way more better compared to the ones where u need to bargain. There are few food joints as well . Tanah lot is definitely one of the best tourists attractions in bali.
(54) The visit was worth it because of the breath taking Sunset view. They won't allow shorts inside the temple but fortunately they provide Sharong to wear free of cost, over the shorts. So, what you wear and visit the temple is not an issue. Definitely worth a visit in Bali!
(55) Despite the rain and grey weather it was a memorable trip. Especially the park around the temple complex is beautiful.
(56) This is a very unique piece of coastline with fantastic rock formations including a natural bridge. The temple juts out into the sea and is not open to the public but you can walk to the entrance or wade through the channel depending on the tide. The parkland next to it was picturesque. Nice to look out from here on the view of the beaches. Stunning at sunset apparently but It was raining when I went there, which added to its mystical appearance.
(57) We came here to see the beautiful sunset as recommended by TripAdvisor, and it's true as being recommended. This temple is over visitors. The temple stands on the to of the rock in the middle of the sea. During our visit, the water was very high so we were a little bit afraid to come to the temple. We were sitting on a bench in one of the restaurant to watch the sunset and enjoy the young coconut drink. It's amazing, the temple, the views, and the sunset. Don't miss it if you come to bali.
(58) Beautiful place to visit. Fresh water and several pools in the middle of the forest. Nice pool with the fish, fontains,restaurant. On this place you can spend several hours in nice garden. In surrounding is also the temple.
(59) Temple near shore is so beautifully located.one of the must visit place in Bali. Water in temple is crystal clear and not salty.sunset view is one of the wonderful thing to see.
(60) Been lucky enough to be there during low tide and manage to walk to the temple located at the middle of the ocean. Every single angle view at there is breath taking!

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) If you have to see a Bali temple, this is one to see. The temple is built on a rock and accessible if the tide is low. Worshippers come and bring offerings to the temple and the ocean setting is beautiful, especially at sunset.
(2) We went to the temple just before sunset and in that way were lucky to have watched sunset over the ocean with the boats coming in. It was beautiful. The temple is one of the oldest and boasts beautiful cliff side views, in terms of actual temple activity (I.e.: people praying etc...) there is none. Worth a visit for the view and pictures.
(3) We enjoyed the actual site, but the drive, traffic & the endless vendors leading up to the site were a drag. No one could access the small temple up on its rock pedestal, but the coastal view it was most people enjoyed. You can walk around the base & in the lower cave at low tide, so factor that in your tour. It was difficult to get decent photos without throngs of other tourists, but they had the same problem as me.\nThe temples near the sea arch were better photos. Despite the negatives, I am glad we visited
(4) To enter the temple, you have to pay an entrance fee of 30,000 for adults. The view from the cliff was stunning. Ignorant tourist that only see themselves and no one else around wreck this beautiful temple.
(5) Traffic is crazy in Bali but this was the one temple we were able to make it to\n\nWas quite beautiful and with being there during the sunset\n\nThere are some nice cafes with patios overlooking the main temple where you can relax and get some great photos.
(6) We could not go into the temple. A local (who didn't speak much English) told us that one can go in only for praying and must be dressed in sarongs and the headdress. We walked across the knee deep water (in low tide) to see the Holy Spring - amazingly, a fresh water spring out of the rock in the middle of the sea! Very nice area.
(7) We went at 6 pm to see the sunset which is photo worthy...we are Not allowed inside the main temple. A fee was charged just to enter the premises.
(8) Very busy temple however at sunset on the top of the hill it's amazing. Lots of shops and a big market to spend the evening at. Go as part of a tour however and you can avoid most of the market if it's not ur thing yet still enjoy the sunset and views. Beautiful place
(9) There are actually a couple of temples here which are a bit offshore (you can walk across when the tide is low which wasn't the case when I visited). The combination of beautiful temples and the pounding sea allow for some wonderful pictures. The problem with anything like this is the number of tourists. I got there around 9 in the morning so it wasn't bad yet. While sunset is touted to be wonderful there, I can't imagine how many busloads of people there would be vying for spots. There are, of course, many many souvenir stalls which are inevitable.\n\nRegardless, definitely worth spending a bit of time there. It is a bit out of the way. I had a private car and driver (reviewed separately) which I felt was the best way. There are many bus tours available which stop for a bit.
(10) Beautiful place. It gets crowded with bus loads but if you wait just after the sunset they all leave almost instantly and you get the place to yourself. Just hangout for a good 20 mins and you wont be disappointed. The sky just glows and the place comes to life. \n\nI came when I was 4 and it has barely changed when I was 26! That is a one. A few more shops in the back streets but the foreshore is still lovely. \n\nAt low time you can walk to where the temple is and sit down low. At high tide you Ill be in water down there. \n\nLove it.
(11) A beautifully located temple. However visitors are not allowed to enter and worship. During tide difiicult to reach and visit surrounding areas,
(12) We visited this place before noon just to take in the view and see the temple. The temple here is certainly not the largest on Bali island and a big part of it is closed to the public. A Kecak performance(traditional Balinese dance) is held here every evening and I heard thousands of tourists flock here for the show! The entrance fee here is INR30,000 per adult(AUD3), so it is worth a visit if you are in Bali. The cliffs are spectacular and will definitely add the \WOW\" factor to your holiday photos!"
(13) I suggest going to the temple at sunset. The sunset makes a beautiful backdrop. On the walk down to the temple there are markets and a small snake park. I suggest taking small change around $10,000 to $20,000 for the \donations\" you pay for a \"blessing\" or to view the natural spring water on the rock and see the snake in the cave. Take shoes/slippers which will get wet as you need to cross a shallow body of water to get to the temple itself."
(14) I have been to a lot of places across the globe but haven't come across such incredible figure ! \nA temple in the middle of a sea is just breathtaking ...
(15) One of the must visit place in bali , beautiful temple located on the edge of sea , entry fee for 2 person is about 600 INR , as like other temples tourist are not allowed inside the temple.
(16) I went when the temple was closed. Locals set up a fake stand to charge you for sarong rental and a \donation\" entrance fee. All you can do is walk to the stairs of the closed temple. Do not stop at the first car park where the local shops are, if you have a bike drive past this on the right and go up the hill to the real carpark at the foot of the temple, or if you have a car dont go up the stairs at the left where the scammers are but go right and walk up the hill road to the temple. Locals use this road to go to the temple. Avoid the fake scammers entrance fee to a closed temple."
(17) We could watch how a mother breast fed her baby, while others in the pack looked after each other.\nAfterward there was an amazing ceremony in the temple
(18) A beautiful temple . 4 years ago it was a quiet place, now you have to wait in a queue to make the photos
(19) this is a very beautiful temple located by a lake. the scenery is also so so beautiful that will give you a peaceful and tranquil feeling. it was a cold rainy frosty day so i had to struggle with myself to get over severe conditions of weather with cold rain and thick fog when biking through the mountain passes, but it was worth it a lot.
(20) Find yourself a place at the terrace to see a spectacular sunset with the temple. You have to take a drink at the terrace, but it was really worth the view. Come early and leave immediately after sunset to avoid busy traffic
(21) I really like this place, although I went on a Saturday (24 September 2016) at the time when it was full of visitors (around 12 noon). I usually don't like too many people. It was full of visitors because it was a special day and there was a ceremony in progress. I was fortunate enough to see the procession of Balinese people in their beautiful traditional attire, bearing offerings in baskets and trays. There was even a 'mobile' gamelan group playing as the group walked. I managed to get a good position to take lots of photos. It was a case of being at the right place, at the right moment. A truly lucky day for me. \n\nThe scenery was breathtaking. It had rained earlier in the morning, so there was mist hanging over the mountains. Then the wind blew the mist down into the temple, and I felt like I was walking in the clouds. The temple is well-maintained, and the grounds surrounding it are very clean. There are also shops for buying souvenirs and a restaurant or two to have your meals. Buffet is available for big eaters.
(22) This was so beautiful. Located in middle of the water. Nice view of Sea, Sky and Mountains. Temple floats in middle of the water.
(23) Too many people and the litter detracted from the fact that this was a sacred place, saw more meaningful temples in peoples homes
(24) Great please to visit, very picturesque and clean. Surreal Temples with a beautiful ocean background.
(25) Set in hills and mountains, this temple in between a lake is a must see.\nThe serene ambience in this temple town is just amazing.\nVisited in Oct 2018
(26) Touted to be one of the greatest attractions, the temple turned out to be a disappoiintment. Visitors are not allowed up the cliff, and the accessible areas are pretty dirty.
(27) Too many people, too many tourist shops and sales people. Not possible to go inside the temple.. Would not recommend, rather go to a more authentic temple on Bali
(28) Went there today in the scooter from sanur. Appr. 1,5 hour drive(if u know where and how to go). Getting there You have to pay for parking and entrance , fight your way through the local salesman/women, to have a gaspe at the Temple. Want to visite it, but are not allowed to go in! It is a huge commercial scam. Stay at the beach and visit the temple on the internet!
(29) Were not allowed to the temple itself, should be a nice view from there. We were there during the day time, they say it is beautiful during sunset. May be... But not excited. There were temples more beautiful.
(30) A nice place to visit and watch the sun go down. You can't visit the temple but we visited on a special day and it was fantastic to see everyone in traditional dress visiting the temple. Plenty of shops to visit while you wait for sunset.
(31) sun sets looks unbelievable!! sun draw beautiful picture on the sky, water as well on the temple it self.\n\nwe where there just once but really breath away taking moment. \n\nas everywhere you cab purchase 10k of souvenirs and you can eat as well.. worthy to go as a couple await for sea refreshing wind and watch amazing spectacle..
(32) Also here to touristical...after paying entrance for parkingplace it´s a whole village of souvenirshops and restaurants or eateries before arriving at the temple...a huge area of restaurants and souvenirshops again...
(33) I visited here 10 years ago and loved it. It was just as beautiful and lovely this time around. My favorite temple in bali as it has crystal clear waters that you can swim in for very little money. You can also feed the fish and it doesn't feel overly touristy
(34) In the evenings, right before sunset, the tide is low and you are able to walk across to the temple where some priests are giving blessings. Remember to wear slippers or sandals as your feet will get wet walking across the beach to the island temple.\n\nIf you like to get a better view of the sunset and the temple, go to the restaurants and bars above the temple, go early to get a table by the cliffs and the view of the temple and sunset are amazing. Remember to bring insect repellent as mosquitoes come out at dusk here. The restaurants provide repellent, but its better to be prepared.
(35) This was something special as this temple is placed in the sea.\n\nDo your self the favour, plan you visit so you can see the place wenn the sunset ist coming.
(36) We will take the long trip from Denmark again as soon as possible. Also we will choose Segara village Hotel again and mingle with the Balinese - maybe the nicest people in the world, with a approach to life and other people that the entire world should adopt - then it would be a better place to live!
(37) Nice sunset and the temple was beautiful. What was spectacular was when it is sunset the bats come out the caves and you see them swirling around in the sky- it wasnt scary but beautiful
(38) If you manage to come here before the crowds arrive, good for you! Surrounded by many shops and various coffees and eateries, this temple is an interesting part of Balinese mythology. Guarded by the sea snakes, we were lucky not to see any!
(39) We landed up at tank lot at 5.30 and found it crowded with people eager to snap photographs. It has wonderful scenic places you;d have loved to go to and put out feet in water which we did not have time for. HAs lot of small shops around you can find deals in but should reach there by 4 in the evening if you want to explore and enjoy the place.\n\nYou can go down to the temple if the tide is low and cross over , at leat reach one of the two temples which will be more fulfilling. going later than 5 you cannot, so plan well.
(40) This place has a different charm of it altogether. The temple is situated on a lake surrounded by a big garden with mountains in the back drop! It's view is very similar to a dreamy artist's portrait of a holy shrine! The beauty of this place will not disappoint you at all. You can plan this trip along with Git git waterfalls.
(41) the temple is situated in a very beautiful and scenic location. it is very touristy, but you can still get some great photographs. would definitely recommend visiting.
(42) It is a long drive to get here & part of the journey is on winding roads. It was cool when we arrived in the mid-afternoon. The garden is large, well-maintained with many kinds of flowers normally found in cooler climate. The temples on the lake are, of course, lovely. Very popular spot although when we were there, we didn't see many westerners, compared to Mount Kawi or Tirta Empul Temple.
(43) Small temple which you are not allowed to access. Walk across the rocks to the base of the temple. Nice to see once, but nothing special. Surrounded by a quiet grassy park by the sea. Black sand.
(44) The temple and gardens were lovely but it was expensive to visit and there were lots of tourists. The tide was out on the day of my visit so you could walk out to the temple but had to be \blessed\" to walk the few stairs up it and this required more money."
(45) This place is so poorly maintained. Why isn't there anyone cleaning all the rubbish around the temple. \nYou would at least expect some basic cleaning of a holy temple, popular attraction and natural location...
(46) Check the sunset timing for the day of your visit and plan on reaching this attraction half an hour before the sunset as you will need to reserve your place so that you can witness the sunset without anybody's disturbance. Visit the temple before enjoying the sunset as the temple cannot be enjoyed after the sunset.
(47) very great place, cool atmosphere.. great place to take pictures with family and friends.. fyi this temple is the temple in the 50 000 Rupiah bank note
(48) There is a few different temples on this site, well maintained with a lovely garden. The main one, located in the center is not open for tourists, only for locals. You can still walk around the outside. The 2 floating temples ( main tourist attraction) are beautiful, especially on the morning light ( I was there at about 9.00am) BUT they are small sizes, not regular size temples, so do not except to see something grandiose, like the Mont Saint Michel in France! What makes the beauty of this site is definitely the lake and mountains around it. The two little temples seems floating on the lake. Beautiful scenery. Entry fee was 50000Rp ( June 2019)
(49) The view is fantastic.\nTemple is very old and small, interesting but closed almost all the time.\nThe cliffs are around 600 to 700 mt. above the sea, the plateau is very nice for the view, to relax and get some sun tan. Beautiful sunset. \nBe aware of the monkeys, real robbers.\nAvoid week ends, too crowded and the traffic is terrible :(
(50) sunset is the time to go here. watch the local surfers. and watch the sunset. look at the two sides of the temples.
(51) Is one of Balis more famous sights due to its picturesque nature, a temple perched on a little rock island that can be accessed by foot during low tide.
(52) You can arrive here with a taxi. Entrance fees of IDR 30,000 is charged. Arrive here at around 4pm so that you can enjoy sunset. It has some good souvenirs shopping options before you enter the temple. Watch for high tides when taking photo graphs. If high tide then you cannot cross to the temple. Walk on the cliff to enjoy and take pictures of sunset. Before sunset grab your seat in one of the restaurant to enjoy sunset. Drinks and food are reasonable.
(53) Its a nice view of the temple. You can get good photos of the temple from the too. You can see some shops in front which has some traditional dessert.
(54) If you go to Bali, you should go to see this temple. In sunset time it is breathtaking view. It is a little bit crowded and we could not get close to the temple but even just looking from the side it was amazing.
(55) Also referred to as the Sunset Temple, the impressive black lava towers of this sacred 16th century temple are situated on a rocky outcrop that extends into the sea. Surrounded by pristine aqua waters and the white surf that crashes against the rocks, it's easy to see why this location is a favorite among photographers. It tends to be very crowed for that reason.
(56) Our tour was rushed & had to leave before sunset. There was ceremony so was not able to get close to temple. Recommend tourists to include walk to \bridge\", temple & stay for sunset. Can get close to crashing waves against rocky shores & view out to ocean."
(57) what could be more beautiful and scenic than a temple ON A BEACH IN THE OCEAN!!!!!! the place is definitely a must for Bali-visitors- the markets and whole cultural atmosphere is amazing ❤️👌🏻
(58) Positive is the location at the sea on a rock. Nice place to see sunset for photographers.\nNegatives are that it is overly crowded near sunset time. It is overly expensive. Usually temples in Bali are about 10k but this one is 60k. I have seen much more impressive temples around Bali.\nAnd finally the temples face the see and there is actually not a lot to see of the temples itself as you can't get close.\nIt is very low on my list of attractions.
(59) We have visited this temple twice. The first time was around 10 years back. At that time we did not get the chance to see the sunset due to raining day. \n\nThis time we decided to vist again hoping to see the sunset but was disappointed again due to cloudy weather.\n\nBut the temple alone is worth visiting. This unique temple together with the beautiful landscape form an unforgetable image in our memory.\n\nWhile we were there, the temple is having some kind of religious ceremony. Although we do not quite understand the meaning behind it, we still find it interesting to watch the entire process.\n\nWorth visiting at least once.
(60) the best time to visit the Temple is when all the visitors are not there, then you can really appreciate the peaceful serenity and ambiance of this beautiful place, when the lake is mirror like some fantastic photos can be taken.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) Very beautiful temple located in the middle of a beach. Nice spot to see the sunset and enjoy the the view. Along the cliffs are several bars to have something to drink and watch the sunset.
(2) What a place it is. Peaceful with superb views. We visited the temple around 4 PM. Though it was hot, but the ocean winds made it wonderful. The temple is beautiful and is worth a visit.\nThere are some restaurants (Sunset point) that offer great views. We watched the sunset from one of these. It was superb.
(3) Beautiful temple with very interesting entertainment, I observed local culture and animals. Spectacular sunset
(4) This is a unique Temple that built on top of Sedimentary Rock (which had several horizontal layers of rocks just like the Grand Canyon rock). And different layers of rocks had different resistance to the wave and thus forming a spectacular scenery. \nThe wave is very strong which gave a unique sensation when viewing the temple. \nTourist can only view the temple from the outside. Only true worshipers wearing the proper attire can enter the temple. Ticket cost 30000 rupiah per adult.
(5) A nice place to stroll about with the famous lake temple smaller than expected. As with other recent reviews, the water was down when we visited so you don't get the picture postcard effect but still a beautiful sight. \n\nFairly busy but enough space to take everything in at a leisurely pace. \n\nA definite place to stop if you're heading north to Lovina (or vice versa).
(6) It is the place to watch the sunset. The overall view is breathtaking. If you'r with ur significant other, it's even better. You can also indulge in their culture as there's a temple there and also you can catch the tradional \kecak\" dance there. Though, just beware that there are a lot of monkeys around there, especially during sunset. So watch out for ur caps, sunnies and loose stuff."
(7) We visited the temple as part of a group.First of all yes the location is impressive and you can take some nice pics as well marvel at the indian ocean crashing on the high rocks on the coast.Now for the temple.Its a huge ripoff.\nYou pay for everything..and when you stroll down to the holy water cave you have to pay a generous \donation\" so that you can climb 5steps on the temple.Yes the other part is closed to the public.Furthermore the massive crowd with the general balinese weather makes the experience quite uncomfortable.\nRecommend for most people to just take your photos gaze at the scenery and then leave."
(8) You will have a wonder in front of you, this temple on the water, surrounded by the lake and the mountains/volcanoes... Wonderful! But it is very touristic and crowded, the entrance is 30k rp!
(9) So worth it! One of the most beautiful temples we've been to, and at sunset, it's perfect. Lots of stairs if that's an issue, but a definite yes.
(10) I went with my wife. In the evening, the views are so amazing. The water, the cliff, the temple all make a great picturesque location.\n\nIn the evening the cool breeze is so relaxing. \n\nThough it is crowded, but every one can find their own place for relaxing and enjoying sunset.
(11) must be the best temple in Bali even it was so hot but my eyes can't stop looking at the beautiful beach and temple. really want to go back there and feel the sunset. Recommended.
(12) The architecture and beauty of the old temple buildings are simply divine. The crowd does get tiresome and you can go early to beat the tourists, as it's difficult to get great shots. Walk all around as there are some gorgeous old trees around the temple. There are several designs on the paths as well which you will notice during your walk-around. It is not possible to physically visit the temples in the water, but you can take a boat ride in the glorious water with the mountain as a back drop.
(13) Absolutely breathtaking!!! This was one of my favorite sites to see in Bali. The mountains, temple and water were just beautiful. \n\nWe went early so there wasn't much of a crowd. It cost 2,000 rupiah to park moped and 30,000 rupiah per person to enter temple area. The grounds were kept very clean. The toilet area outside the entrance said 2,000 rupiah to use toilet but we didn't pay and the gentleman didn't say anything so it could be a scam but don't know for sure.\n\nOnly negative thing about the area was that There is a little area by temple with caged deer. We couldn't figure out why it was there. Cage was small and the deer had no room to run. Kind of sad.
(14) My husband and I dearly love this temple as we think that ti is very special.\nWe enjoy the magnificent view and peaceful ambiance! Highly recommended \nThe entrance fee is Rp. 30.000 per person.
(15) 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,,
(16) To be honest, it wasn't a big deal the temple itself - there's not even a proper one. But it does have an amazing sea view, where you can watch a stunning sunset. That's where I took one of my best shots of Balinese sunsets.
(17) Too much people there and also entrance fee applicable as well for the area where it is on the sea itself while this also have to walk quite a distance passing through quite a lot of shops beforw reaching it not as beauty as the other temple also wave is big that period of time.
(18) This is really a must see while in Bali. Unfortunately, like any other famous temple, it can get very crowded, but this is avoidable, so just go and enjoy the experience.
(19) A must see if you are in the area. Cheap fee and you can spend there as much or little time as you want to. The temple is really attractive. There is also nice restaurant in the are.
(20) This temple is really nice. You can go with a boat and experience nice views. It is a bit crowded but I would recommend you to visit it.
(21) Beautiful temple with an amazing view of the ocean, especially at sunset. The after fire show is very interesting as well.
(22) This was going to be one of those boring site seeing trips I thought but once I got to Pecatu I was amazed at the temple and how it must have been carved out centuries ago . Well worth a visit to see how things were a while ago a bit like Tan Alot temple in the old days before the mass buildings.
(23) Beautiful temple in the sea.We went there just before sunset,as advised by our tour guide.As the sea tide was not high we could walk in the sea to go across to the temple.Temple priest were there and they sprinkled holy water,put rice on our foreheads and put a frangipani flower in our ear to all who crossed over.According to one of the priest this temple is very important for the Balinese Hindu.Really beautiful view during sunset.Only we were not allowed to go right to the top.This is understandable as it is an ancient temple.
(24) It is ok for the view, not a wow. We went for the sunset view and decided to leave before the sunset. It is relatively crowded. We managed to walk close to the temple because of low tide. The temple itself is not opened to the public. This is a very touristy and commercialized site, full of selfie takers.
(25) Once you have navigated your way through the hundreds of stalls you will eventually come to the temple. The eateries above offer a great view of the temple so you can sit and unwind. Cheapest cocktails you will find. If you are lucky enough there is a spectacular sunset on offer. We ventured across the sea to get a blessing off the monks, they hold their hands out waiting for a donation. The Holey sea snake is also for viewing for a small donation. Becoming very commercialised but still worth the visit.
(26) This temple is really incredible, you won´t regret to walk along the hill, looking to the ocean, having some interaction with the little monkeys, smelling the flowers and watching a beautiful sunset in the end of the day! There are also some places to buy food, drinks and also an ATM.
(27) Great views over the ocean. Get there for sunset! It's really impressive. \nBut don't expect too much from the temple. It's not as beautiful as other temples on Bali.
(28) Travelled a couple of hours from Ubud. Wonderful location and the temple is beautiful. The lake and mountains behind make a perfect backdrop. Recommended if you have time. I found it to be one of the best temples in Bali. Make sure to take a halt at one of the viewing decks on the way to the temple on the mountain.Great views.
(29) Beautiful temple on a rock,when entering the temple you will get blessed first and then climb many steps to the top but view is amazing.Don't go near the waterfall you will smell it before you get close.Lots of shops when walking to temple and restaurants
(30) If you love culture, temples and gardens it might be your place. The temple is not really special (yes it is build at the water and as tourist you can get in more then with most temples), it is combined with a big and neatly garden.\nWatch the price though.. 2 person was 100k idr, but next to us 4 persons was 400k idr. No clue what the real price is, (our driver thought about 60k p.p.)\n\nDriving here might be to much, but as a small 1hour stop (max) on the way its a good place to go.
(31) We came here to watch the sunset- beautiful views of the temple and of the sea. Go at low tide. There are some touristy restaurants and alot of shopping at the top.
(32) Like many places in Bali, the temple is private and only open to locals for prayer. You can't even get near the temple. Skip the crowds and head down the paths to the right or left of the temple. \n\nI recommend to the left because when you take pictures, you won't see the hundreds of tourists lined up along the cliff's edge. Continue down the path, it will eventually lead you to an open field from which there is the most beautiful cliffside view. Towards sunset, local fishermen take out their traditional boats and you can see them from there. \n\nIf you are a photographer, bring your tripod for those long exposure shots of the water crashing against the cliffs.
(33) Nice temple in the lake, nice garden to walk around, and you can see deers as well :)\nEnjoy the place.. it is so much lovely.
(34) this place is simply beautiful. right from the entrance views are breathtaking. temple surrounded by sea is enchanting. do not forget to click some memorable pictures here.
(35) Such a beautiful temple & so many great photo opportunities. We were blessed to have perfect weather and clear visibility over the water. Loved the variety of colourful plants and flowers. We combined a visit to this temple with a trip to the botanical gardens. Refreshingly cool and lush and a pleasent change from the busy beachfront areas. We hired an air conditioned c are and driver for a day, prices are so reasonable in Bali, & he recommended a restaurant for lunch close to the lake, can't remember the name, but good food and good prices, and all in all, it was well worth the trip.
(36) We really loves this temple!! 50k rupias per person fee. It is beautiful, plenty people, but can have so nice pics with the lake and temple. It is a must in Bali
(37) Great for all ages. Garden, temples, place to relax by the lake a d enjoy and a relaxing day. Most definitely recommended.
(38) Gorgeous water temple in the mountains of Bali. I did a water temple tour and saw 3 but this may be my favorite. So gorgeous and peaceful.\n\nBring a light sweater. The only thing I didnt like is that some girl was holding a very large bat with its wings fully outstretched and it looked unhappy.
(39) as we didnt do the haiking where i wish we did the vew it self was very peacefull and staning in the same time just to be able to sit thire clos it sea the history of this mounting seaing it huge the clawds above it was brith taking
(40) Totally worth paying IDR 75000 entrance fee that they charge. Temple and park along the Lake are well maintained. Views are stunning and people love to take pictures here. There are a number of restaurants in the temple campus. Can sit along the Lake and enjoy the views for hours. You can also do boating in the lake here.
(41) This is a very remarkable as a relic of history and the wonders of the world in Indonesia. The Temple is located on the lip of the cliff and surrounded by the sea and the temple located at the cliff edge of the beach. When the tide will look temple in the middle of the sea.
(42) Beautiful place, very well kept. \n\nWear flip flops as you may have to walk over a bit of water to get to the actual temple. \n\nThe place is very pleasant and peaceful. Sure theres some hawkers, but I just saw a couple and the best part is that this is more of a local hangout rather than a tourist dump. \n\nThe grounds around are really nice and families have picnics here. As the tide gets low, youll see holes in the solidified volcanic rocks and theres small fish and crabs in there. Pretty cool. Nice to stand there and see the waves crashing.
(43) What an amazing temple situated on what at times is an island. If you want to access the temple, be sure to time your trip according to the tide. At high tide, you cannot get to the temple. \n\nGorgeous views and great photo ops.
(44) I adored this temple. It is not over crowded like many of Bali's beautiful temples such as Tanah Lot. It has wonderful facilities such as parking, dining and shops and bathrooms. There are plenty of places to sit and take in the view and quietly meditate on the beautiful surrounds. The only down point is the fiberglass Swan peddle paddle boats that are in use on the weekend. My kids - very amusingly - got caught in the lotus weeds surrounding the temple but that is what we get for using such abominations in a sacred place. Also, check out the four-horned deer, if you can spot the shy little creature.
(45) Most amazing temple.surrounded by beautiful lake and gardens.\nIt is a must see , my favourite place to be.\nWorth the trip
(46) Located on Lake Beratan up in the Bali mountains with beautiful views. Foreigners need to pay IDR30,000 (AUD$3) entry fee and there is a carpark fee. We were lucky enough to catch one of the local village ceremonies, which was a wonderful experience. Lots of wide open and well-cared for gardens and monuments surround the temple areas. Nice, relaxing visit. Give the dried local snacks in the temple carpark area a try - you won't be disappointed.
(47) Very well maintained and this is a must visit place if you are travelling to Bali. Takes around 45 mins drive from the airport to reach this place. Very well maintained and the view of the beaches is breath-taking. Lot of tourists visit this place. Need to walk a bit from parking to reach the main temple.
(48) The view was amazing!There were so many tourists from China and India too when we were there.It was high tide.They were saying that we're able to walk to the temple if it was low tide.A must to GO if you're in Bali!
(49) I enjoyed this temple but I wouldn't go there if we had a long drive just for this temple. Even though this was one of the nicest we've seen around Bali.
(50) nice place to see the sunset ,, the temple is on top of a rock and surrounded by sea waves .. only hindus allowed to enter for pilgrim ,, you can see holly water springs and holy snack,, there are shops on the cliff where u can eat and drink while watching the sunset but i don't recommend eating from it as they r not clean shops
(51) It is big mistake if you skip this temple once you are in Bali. This is the iconic and a must visit. We came early to avoid the crazy crowded. If you have time it is good to get holy water nearby the main temple
(52) This temple is very unique with garden surroundings and beautiful Lake beratan, i was there and see the balinese people have ceremony made this also even more complete. I really enjoyed myself to visit this bautiful temple, tips. Visit this temple early in the morning
(53) we went there recently and it was raining. December is a rainy season in Bali (locals told us bout it). if you want to take photo of the temple from far, you will also take in a bunch of people with umbrellas (not a good sight at all). when you actually went down there and crossed the sea to the temple, you can only went up few stairs and that's it. people said the sunset over there is beautiful, but it was raining non stop when we went there, perhaps some other time.
(54) We went here in May. We had a good weather. Going to the temple you will bump into cute monkeys make sure you are not bringing any food or drinks, wearing thongs and hat they love it. Might ask it from you. Walking around the temple is amazing good exercise, view is fantastic because the temple is on the cliff of the moutain. You will have good pics for sure. Its a good an hour and half walk. Good for diet. So give it a try. You will love it.
(55) 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.
(56) It's about two hour's drive north of Kuta and is in the mountains so the air is cool and nice. The temple itself sits in a beautiful setting, at the edge of Lake Beratan.\nWe arrived just after lunch and took a nice stroll in the temple complex. My daughter and I rented one of those pedal boats for IDR 40.000,- per 15 minutes, which is a bit expensive. But we chalked it off due to peak season. However, by using the boat, we can see the temple from a different angle. And she was thrilled, so yeah, it's worth. it
(57) We were there on Easter Friday. We were there for less than an hour because it was packed like sardine. This iconic temple is seen in all Bali tourist brochures. Unless you are around the neighbourhood, it is not worth the travel for just that iconic building since there is nothing to do besides seeing that temple,
(58) If you are going to visit a temple, this was the place to go. It is set on the ocean and when the tide is out you can wander the beaches and walk out to the temple. Even though it was very busy, you could walk to the beach and no one was there. Have dinner at a restaurant on the cliff and watch the sunset over the temple. It is worth it. But make your way further down on the cliff for a better view. Get a table right by the railing for a perfect unobstructed view.
(59) Looks like this temple is not human-built. The temple in water, close to the shore, was created perhaps by an earthquake or volcano. Water was coming out naturally in one place, just like tap-water, that now has turned into holy water. The shape of the naturally created temple and the holy water, all these are something really worth seeing.
(60) It's really incredible the temple's view!! From the cleef' s hight you can see a beautiful bay. It's unbelivable how they choose so amazing place to built a temple! If you are in Bali don't miss this attraction!

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) We've visited the temple because it's our first Bali trip and it was on my bucket list. The place itself (the temple) is a very powerful & magical place but all this touristy things around - coffee / souvenir shops - are distroying it a bit. I will prefer to have multilingual guides around instead of shops with all that cheap crap. The reason why i'm visiting this things is to learn more about the culture and history, thus i will appreciate more historical information locally.
(2) This place is incredible and a great way to pass a few hours. From the great market and coffee stalls by the entrance, to the walk over to the Temple. (Which you couldnt actually walk up to) the views are stunning. Theres so much to see as you walk around the temples and the grounds in which its set.
(3) There are lots of tourists and you cannot go into the temple. But still it is a place you must see given its history. Do wade to the temple side and receive the blessings.
(4) Lovely lake side temple. We were lucky to be there on a festival day with beautiful decorations! Very popular with locals and tourists but well worth the visit
(5) It's a rite of passage for new comers to Bali, but frankly this place is commercialised and over hyped. Yes the temple is separated from land during high tide and you can walk across during low tide. \n\nSunset might be fantastic but I did not get the opportunity to experience that myself. It was a cloudy day and the place was very crowded. \n\nThere were a group of people chanting their evening prayer in the compound itself amidst the frantic activities of tourists clicking pictures and chatting loudly - it was a little unsettling for a place of worship.
(6) It was about an hour and a half taxi ride from Nusa Dua but it was sure worth it. The temple was very beautiful and we were glad we went to see it.
(7) Temple on Bridge and beach have very nice view and it has sunset view though we missed it due to cloud. Nice photography point
(8) We visited a lot of temples in Bali and most are pretty sober and colorless. \nSome have very nice scenery with ocean, sunset and cliffs (like Uluwatu) but only Titra Gangga wow-ed me at the entrance with the very nice garden and fontains.\n\nCertainly worth a detour and it is a shame that most standard tours in Ubud don't go to this temple.\nTherefore we hired a car for the day to visit this temple, Amed and bat cave. (600.000 idr for a car from and back to Ubud).
(9) This is a Must Visit Place. It looks as if its a Corner most Point of Bali on the Sea Edge.\n\nWhen u climb to the Top its breathtaking.( To the Temple top, you are not allowed).\nRest of the Location is Wonderful to walk around and the Village gives you the best Good Feel.
(10) We had a driver take us to this beautiful temple which you can walk to from the beach at low tide. There are lots of art vendors before you get to the beach. I actually bought a beautiful painting which sits in my living room today. Definitely make this a stop on your tour of beautiful Bali!
(11) 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.
(12) This temple is very beautiful and unique. But there were too many tourists when i visited. Was difficult to take a photo without crowd.
(13) We couldn't get into the temple as we went during high tide. Personally I preferred the high tide views as the waves do splash in hard making it look very beautiful. If you wish to get into the temple then go during low tide period generally late noon to early evening.
(14) Just lovely temple in lake. Nice garden and good restaurant. Rain is possible in the afternoon visit because the highland.
(15) Didnt know what to expect as visits to the temples has been a bit of a let down. Pleasantly surprised, great guides to help scattered throughout the sanctuary
(16) Entrance fee is fair. Serene lake view with hills in the background of the temple. There is also beautiful gardens around the temple to chill with family. Lots of tourists, but u will still be able to get some perfect angle for photos. There was a prayer procession when i was there, definitely a bonus to be able to witness the interesting Hindu ceremony.
(17) Quieter and more comfortable lower temperatures and humidity make this a more enjoyable visit than some of the coastal temples
(18) Absolutely stunningly beautiful & romantic especially on a sunset.We loved it here & definately recommend to put it on your to see list.Theres a cave under the temple where u can be blessed with holy water. Directly across from there is another cave where you can have a snake encounter.Theres markets,restaurants and also a dance show around the same area aswell.Definately a must see in Bali.
(19) Often come to this amazin temple with friend to show the magic of Bali where the temple located in offshore. Best way to visit is early morning where not many tourist then able to see more spot and fresh air.
(20) The Place is nice and the sea temples are interesting but if you staying for a short time and you want to see the best then I don't recommend going there as there are many more interesting places to see that this. if you have plenty of time on the other hand then you should see come and see it but it will take you 15-30 min to see it all.
(21) Beautiful and surrounded by nice mountains and lake the temple gives you a heavenly feeling. Being there when it was nice and cloudy gave an additional dimension. The inner sanctum is a no go for travellers which is fine. The temples reflect Balinese culture and Hinduism of a different age. It is a must visit place when in Bali.
(22) It is located in the village of pecatu and built on the top of the cliff about 100 m down to the Indian Ocean. It was founded in 11century by Hempu kuturan it has a fantastic ocean view and sunset is stunning from the temple . Those who like to watch the fire dance there is a stage that built on the tip of the cliff facing to sunset so come over !!
(23) Enjoyable temple, you can go fishing which is pretty neat. Mountains in the close distance with the lake make it a dream location.
(24) I love the scenic view! Terrific sunset, great people and culture..love the balinese people...worth the travel!
(25) Sunset view was very beautiful. Slightly crowded at the time of sunset but worth visiting. Temple was accessible due to low tides but it was closed for visitors.
(26) This temple is worth seeing but very commercialised. The amount of people visiting detracted from out visit and seeing the temple.
(27) i have found the view beautiful but they would not let us go up the temple to look which was a disappointment.......entry expensive to my liking but the food stalls around where great to eat...lots of place to sit and absorb view...greenery...lovely overall
(28) One of the most visited and touristic temples in Bali...not really spectacular arquitecture...but at sunset it will not be forgotten....
(29) Lovely relaxed attraction and well priced at about $2 each for the temple. There is an outside show available that start at 6.00pm for about $10 each and well worth it. You can watch the sunset during the show or just wander around and take some great photos
(30) A few hours drive depend on traffic. The temple is situated next to the lake. A peaceful and beautiful settings. The temple is not far from the twin lakes. Worth a day trip for the view and nice good mountain air...
(31) Beautiful temple and a lovely place to visit!\nI was there in the morning when the tide was low so I could walk close to the temple. The view is not as nice though as you see the dark rocky beach. Perhaps the sunset view is better, but still, beautiful and amazing and definitely to be seen!
(32) The place is cool. There have many stores before you walk down to the beach, you can chill out there after the temple. This place is slightly overdeveloped, plastic bag and bottles are easy to find around the beach. The seawater wasnt blue as same as those pics on google. But I still recommend this location.
(33) This place was off the charts. Me and my son did the holy bath and it was invigorating. I got out feeling cleansed (unlikely lol). The culture here needs to be seen to be believed.
(34) We visited only 2 temples on our short stay and framed them into one day out. It's a lovely place to wander around., the grounds are level apart for steps getting down to temple level and then back up again.You could take a picinic as there are lovely grassy areas to sit. There are of course stalls selling snacks and souvenirs. Bring small change with you as you will need to pay for the use of the toilets although they are very dirty, when needs must. There is an entrance charge and if you have a driver you will need to pay for parking too.
(35) The must go place in Bali. It represents all we expect from the island. Great atmosphere and typical temple. The best place ever.
(36) It is a very beautiful temple, with the fascinating view of the Indian ocean. Unfortunately it is not open for tourists.
(37) The location of this temple is the ultimate attraction of bali. From various corners you'll get superb breathtaking views.....Don't miss the sunset view. Just go for it....
(38) The view to the temple and to the ocean is just sopivasti spectacular. Must be even better at time of the sun set.
(39) This is a lovely temple by the sea. I'm sure if the place wasn't so overly commercialised and crowded, it will be even more stunning. But well worth a trip if you are in Bali!
(40) Very beautiful at sunset , it is a long trip in the middle of no were but there is a market with little shops and a couple of resturants which are good.\nBewere of the temple snake it is huge and for a payment you can touch it if the keeper says you can but it is poisonous and no way I would, it lives in the cave opposite the temple and as long as it lives the temple is safe
(41) We have seen many temples whilst holidaying in Bali but this one was definitely one of the nicest ones! Very nice place to hang out and feed the fish ;-)
(42) Although you are able to access the island at low tide, it isnt possible to visit the Temple. Picture perfect and a nice beach front walk. Expect huge crowds at Sunset.
(43) 1. Awesome temple with sunset. must see in Bali wth grat foto ops\n2. For better views, you need to buy a thing or two from adjoining cafes.\n3. Like any other attractions, you have deal with pushy shop vendors.
(44) The temple and grounds are wonderful. Would recommend this temple to anyone in the area! Views are amazing!
(45) Beautiful pictures can be taken here but man was it hot and full of tourists!\nThis was my favourite temple in Bali!!!\nTake water with you.\nIt is beautiful at sunset and cooler. My advice would be to go early or later to avoid the heat and crowds of tourists.
(46) Well, what can I say, pretty much any places in Bali have some amount of crowd. My friends and I came here just to stop by and have a look at the place. Without tour guide, we learn nothing to better appreciate the place. One thing I can tell you is the temple is located on the top of a volcanic island rock. You have to cross a shallow seawater in order to reach it. If any of your friends on instagram posted a picture of him/her by a temple, this temple is most likely it.
(47) Particularly liked this one because of the location. A lovely lake flanked by mountains.It's a lovely temple on the lake, gorgeous scenery around it. There's an entrance fee to go in. much to experience for the effort to reach the location
(48) We asked our driver to take us here and said we wanted to go somewhere after to watch the sunset and have a drink. The temple setting is fantastic perched on the precipice of a cliff with a long wall you can walk along to gain different views of the temple setting. Nothing much to see or learn here but a great view to soak in. A lot of drivers like to take you places that suit them to drink coffee, smoke and chat so we interrupted yet another coffee and asked to be taken to a cliff where we could view the sunset and have a drink. Not sure where we were but took a left out of temple car park and another left soon after walked down about 120 steps and didn't look promising but then started heading back up to a cluster of shops and bars. Elevated above the surf breaks this was an amazing spot for a cold drink and awesome view. To top it off we saw orca cruising the coast. Very special
(49) Perched on a cliff top is this Hindu temple. Since you are not allowed into the temple you end up seeing only what you can from the ground. It's so nice to see the waves spraying all around. During high tides the sea comes in and the temple is cut off from the mainland. Also there is a walk along the cliff to the right of the temple from where you get to see beautiful sunset on a clear day. Best would be to time the visit so that you get the sunset also. There is a market place between the temple and car park where you can haggle hard.
(50) Was nice, nothing to crazy.\nYou couldn't really walk into anything as it seemed all the bits you would like to get a closer look were only open for worship.\n\nNice views, but if you were pushed for time I wouldn't bother.
(51) It is not everyday that you see a temple on a lake on top of the mountain with a background of another mountain.
(52) if you have a chance to arrive before all the crowds you can experience really unusual views - a temple in the ocean, it's the best in bali, an icon
(53) This temple stands on the high wall of rock and one can catch a panoramic and beautiful view of the sea. Don't try to risk your life by climbing the fence just to make a great pose of yours. And also be prepared to bath the sun and get sweat in order to reach there and then back again. Once a while Balinese Hindu devotees will come and offer their offering there to their god at the top area. This is considered a great opportunity to watch the very unique local traditions. For me, I will surely treasured my memories by having a chance to visit here.
(54) Have visited the temple earlier today with mu husband. \nPeople at the entrance gave us a special cloth that Balinese people wear (sarong) and we wore it so we go into the temple.\nI must admit that it was very beautiful.\nHave in mind that if you go there for the sunset it is literally very crowded.\nBest time to visit is approximately 2 hours before the sunset.
(55) Very nice at sunset but also very crowded. A must see in Bali. Probably the nicest temple on the island.
(56) Lots of tourist. Its a small town in its own right. The temple was ok, which happens to be on the ocean. Maybe we were templed out as we saw this at the end of our trip. The fruit stand had the best durian though
(57) We got a driver from Nusa Dua to take us to the temple at noon on a Tuesday. It took about an hour to get there and traffic was very busy. Entrance was 60,000 rupe each and 5, 000 rupe to park. There are several temples to see and many areas to walk. You can get a blessing at the base of the main temple in the water and a small donation is recommended.\nIt was a very hot day and there are many shady areas to cool down.\nThere are tons of shops and eateries around the temples. The prices are highly inflated and they will easily drop the prices. BUT, the reduced prices are still very inflated according to our driver.\nThere are toilets at the entrance and within. The ones at the entrance were ok and had soap at the sink.
(58) The fantastic Architecture, unfortunately too many nasty shops in parking area. The statues and pools are fantastic. The Hindu sculpture is superb. You could easily take half a day wandering about taking pictures.
(59) One of the best temples we've visited so far in Bali. Right next to the lake. Very peaceful and quiet. And when we went yesterday, it was too not crowded at all. Definitely worth going there.
(60) No image can convey the real beauty of this place, so it attracts visitors from all over the world. Many couples and honeymooners have their pictures taken there. If you travel with children there's a small playground near so there is something for everyone. Many vendors are near but they are outside the parking lot and not a lot of hassle. There are also small boats so you can see the temple from the water side.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) We visited the temple in December so although it was beautiful it was extremely muggy and hot. The temple has amazing views over the cliffside but the heat was unrelenting and felt like there was no breeze at all. Definitely worth the trip however can get quite busy with tourists.
(2) Our driver Made took us over the new bridge to Nusa Dua via a few vantage points \n\nMade gave us a well informed commentary of the temple .
(3) Well worth a visit to see this beautiful temple on the lake. The most scenic temple we visited in Bali for sure. Quite busy but we managed to get plenty of photos and take in the views.
(4) The market are typically Bali before you actually get to the temple. Great site for a temple, couldn't get much better, well worth the walk down and acroos the reef to the temple to get your blessing.\nSome really good small restaurant situated on top of the cliffs. After the temple it is quite nice to have a bintang and take in the view.
(5) Great experience, remember when entering temple to wear one of the sarongs and ties available, with a small donation.
(6) This was by far my favorite place in Bali. The energy and beauty here are unsurpassed. It truly is a natural temple - You feel part of something bigger than yourself. Wonderfully cool lake breeze. A place to relax and let your worldly cares go. Do not miss this!
(7) the temples are amazing, and if you go in the afternoon you can walk out to the base when the tide is out. But the most spectacular view is at sunset though the arch and with the silouette of the temple on top.We were able to arrive about 4:30 pm and walk around in the daylight, go to the beach and tide pools and then watch the sun go down. This is not far from Ubud and was an awesome finish to a great tour.
(8) We were expecting a beautiful temple with a fantastic view and we only got the view! You can't see much of the temple if anything but the view is amazing. The walks along the cliff both sides of the temple are beautiful. But you still have to pay 30000IDR per person (free sarong!). Apparently, the sunset is amazing there so worth trying!
(9) I visited this temple back in 1982, we rode right up to the top. Now it's protected by walls and gates. there used to be dirt paths, and along walking track. not there a pavers and steps. It was nice to see after all these years that it is still sacred and now protected.
(10) The temple was incredibly beautiful and the setting was gorgeous on the rock outcropping in the ocean. We were disappointed that we weren't allowed to get very close or go inside, tho (I know it's primarily a place for Hindus to worship, but would've been nice for the price of entry). If we went back it would be early in the morning because the heat was brutal and there's not much shade around the temples.
(11) Yes, it's true, it is tourist trap: the ticket is way too expensive for Balinese standards, it is extremely overcrowded in peak season and it's full of stalls and hawkers selling the same stuff. However, I enjoyed the view of the temple and the surrounding cliffs hit by giant waves and most of all the amazing sunset scenery. Of course, I had to jump from one rock to the other to avoid the mass of tourists in my pics, but that's part of the game when you visit popular spots.
(12) A good place to visit when you are out to see Beasaikh Temple and other places in East Bali. Relaxing things to see. Big fishes in a little pond. You will get a little peace at this place. Nice water palace with lush green view
(13) Gorgeous and well-kept, this water temple is whimsical, beautiful and fun to wander through! Made for a sweet stop en route from Ubud east. No need for a guide, just pay the entrance fee...and be sure to bring your camera!
(14) Apart from temple being so calm and peaceful, surrounded with very beautiful views. Amogst must visit places in bali
(15) after a long traffic and drive of 2 hours finally we reached here and what we see was just the best moment of our life.\nThis place felt very very peaceful, i loved the whole area nicely maintained ground and the temple itself was awesome nice sunset views excellent beach no word to descibe the beauty of this place.\nin bali one should not miss this place by any chance....
(16) Was such a good location \nWe were asked to purify ourselves at the spring\nAnd then go to temple\nBut temple was locked \nOnly a short staircase\nHad to pay for purification \nOnly a hoax - not worth it \nDon't be fooled \nCan still see temple from the shore\nGood pictures
(17) We Had been intending to visit a remote temple on Lake Tambilgan, but our driver got mixed up and we ended up here.\n\nThe place is extremely over populated with tourists, so for any photography enthusiasts', to get get a pic of the tower, you will wait a while to get one without people with selfie sticks in it.\n\nA nice enough place, but there is a man there with chaired up flying animals wanting you to pay to have a photo. Not my taste at all. I really wish our driver had know the remote temple that I had been after.
(18) Peaceful place to spend time with fantastic views. Almost lost cap and glasses once but the Balinese knew their tricks & how to recover. Go there every time. First time 1989 as all other places.
(19) The Hindu temple was build in the 16th century on a large island rock. We unfortunately were at the temple during high tide, so it was not accessible. It was still a beautiful site to see and well worth our time. But there were lots of tour buses while we there adding to the frenzy of locals visiting the site.\n\nthere are lots of small business selling food, clothes and novelties. \n\nWell worth the time to get there.
(20) Fantastic experience ! Informative guide who had driver stop at coffee plantation, and a local rice plantation that served us fried tapioca and sweet potatoes. The guide went above and beyond, We learned so much about Bali. Temples were interesting!
(21) The place is very good , the road to temple is very very interesting .. a lot of shops and market everywhere buying the traditional clothes and souvenirs ..\n\nWC and resturants are avilable too. Temple view is very good a lot of ocean view is great with the temple.
(22) After all the hype about having to see this place we went. You can only go to the temple if the tide is out when you make it there you are not allowed to go inside You pay entry fee to look from the out side. Not really worth it.
(23) A must visit and specially evening time by 4 you LL get better climate and sunset and the temple is beautifully constructed
(24) A wonderful place to visit and get to see these creatures in a place set aside to ensure their survival. Seeing them up to their antics was a highlight. Also having an opportunity to see some of the sacred ceremonies in progress at the different temple sites was absolutely worth the visit. Amazing experience.
(25) The temple at sunset was serene. When the tide is in it looks like it's floating on water we were there when the tide was out so we could walk across to the temple and had a blessing awesome!! the gardens are stunning, quite a few steps to climb but you don't need to be super fit just take your time and enjoy the serenity Also had some great markets at the top of the cliff which is a bit commercial but added to the experience
(26) The temple is just amazing, on top of a mountain with outstanding views. BUT... We had sarongs and still had to rent their own ones, because they were \special\". Pay for an entrance ticket that takes you immediately to the street you were before. A HUGE line to take the picture, and a whole team of locals sitting in the best spot to take the picture from, with a fake mirror to simulate a lake that reflects the \"door\". Shouting \"Pose! Next pose! Next pose! Jump! Finish!!\" And this for hours and hours. What a shame."
(27) This is a couple hours from Bali and my driver was a bit worried about how crowded the road can get but we didn't experience any delays. Situated up in the mountains, it was quite a bit cooler and actually comfortable compared to the low lands and beach. You pay an entrance fee of 50,000 Rupiah and while it was crowded, it was easy enough to crop people out of your photos. The temple area is not that large but is so picturesque situated on the mountain lake. You could easily walk the grounds in 20-30 minutes but taking a leisurely stroll, capturing a few pictures i would suggest that you plan to spend an hour to an hour and a half here. There is a dock off to the right that you can rent an animal shaped boat or take a ride in a speed boat. The most shocking thing to me is the cheesy animal and concrete structures around the park and on the temples. They strike me as something from the United States in the 60's... There are some small deer like creatures in a cage and a large garden area set up off the lake. This is really a beautiful spot that is worthy of a visit.
(28) This was on our 'must do' list during our Bali trip and it didn't disappoint. Stunning views and beautiful temples marred only by the incessant nagging of merchants selling their wares. We arrived at low tide, and made our way over to the temple without going inside (there was a fairly long queue) - ended up getting wet when a big wave came up over the rocks - at least it cooled us down! Only downside really was having to pay 2K rupiah to use the toilets. Worth the travel time as it's a once-in-a-lifetime experience - but expect everyone else to be there as well.
(29) This was no doubt the worst place we have visited so far. Absolutely not authentic. Not even the gardens are nice, with maintenance works and full of plastic statues. Really made all for Chinese tourists. Please avoid it if you still have time and buy a postcard. Better than the reality. I just regret not having checked the reviews first!
(30) what a beautiful place to visit. Serene and peaceful and just beautiful. The gardens are kept so well - there was a ceremony taking place when we went to visit so couldn't go into the Temple but that's ok, saw all the little people dressed up so gorgeously in their ceremonial clothes and mums and dads in their magnificent embroidery. Glad that it's open to the public for us to experience the culture and to listen to the service going on
(31) On most of many trips we took the time to travel to this magnificent place in the very South-West of\nBukit Badung, of of thre famous nine \direction\"-temples in Bal.\n\nAway from noise, not too many people , a magnificent feeling inspired by an unforgettable view.\n\nNot just for beginners: an absolute MUST. R.+E.Clausius,."
(32) Amazing views and amazing temple - all of the people we encountered were incredibly friendly and happy to teach us local Balinese greetings and history. I recommend going just before 6pm as I heard there is a ceremony at that time each day? I visited around 1pm and it was incredibly hot. Worth the visit for sure.
(33) The most sacred place to visit. Unfortunately the temples were closed because of some ceremony. We just saw the entrance, and of cause we got the famous picure..! Many tourists..
(34) It was a good experience to know the heritage of Bali. Very nicely built temples. Recommended to go in the late afternoon as the humidity and the sun is unbearable.
(35) beautiful, option to swim, nice flowers, rebuildt in 1963 after the earthquacke.\na little temple is there also. nice to walk, sit and dream
(36) This temple offers a beautiful view on the lake and it has a lot of celebrations which makes the visit interesting. It is reasonably priced and we have not been bothered during our visit. It is good to visit before 10 am or later in the afternoon. There is a good restaurant named De Danau with a terrasse which offers a great view on the lake + the food is good and reasonably priced.
(37) This was a very nice place to visit, right on the ocean. We sipped holy water and were blessed by the priests of the temple.
(38) This place is revered by the Balinese and all ceremonies are performed in the temple premises. The area has two large water bodies with lots of fountains that has a soothing effect on the senses. The water bodies abound in fish and fish feeding is considered a religious act. The grounds are beautiful with flowering plants and tall trees and water lilies floating on the lakes. Just breathtaking to sit here and enjoy the cool breeze.
(39) Do not expect romantic sunset Like you see on photos. What you do. It see are milions of tourists walking around the nice park and the temple. Still it Is must see while in Bali. The best spot for sunset viewing (cca 6. P.M.) Is from terraces above the temple.
(40) Interesting hindu temple on the lake. Genuine place of worship and big ground to walk and relax. You can see a few deers in one area.
(41) We couldn't get over to the actual temple as the tide was in but you can get pretty close to it and you will get good photo's from the shore and up a short walk to the cliff top. There grounds were lovely too with plenty of shade for maybe a picnic or just a rest. It was only about $3 each it get in and their are loads of shops and we found the prices, unlike Ubud, to be pretty reasonable - example - bought a lovely hat to keep the sun off for $4 - why bother bargaining for that price. Many people go to the temple to watch the sun go down and as it is beautiful during the day, it would be very moving in the late afternoon. It's only about 15 minutes drive from Seminyak, depending on traffic.
(42) Once you get past the hundreds of people taking #followmeto pictures for IG, then sure, its a pretty area. I definitely wasnt expecting it to be a swarm of tourists with playgrounds, pedal boats, and creepy statues of SpongeBob Squarepants... it really took away from the cultural temple vibe. It was a bit disappointing...
(43) we visited this temple just as the sun set- fantastic photographic opportunities.\n We received a blessing, washed our hands and face and drank the holy fresh water- which runs under the basalt and is not sea water. Small charge.\nif you get the chance this is a must see.
(44) Interesting place, but keep your stuff out of their reach! Nice place for taking pictures of some forest and temple areas.
(45) Because its located above the city, it has very nice and cool air. Amazing temple and surrounds. Beautiful lake and amazing place to visit!
(46) It was my second time to visit. We could see the temple with sunset. It's like dreaming. I want to go and see it again.
(47) We booked this trip via our hotel and their driver, which was probably best as you could take your time. I understand you can get a guide once you are there but they are keen to move onto the next person. You need to pay an entry fee which includes a sarong (for men and women) if required. Shoulders are OK bare, but not knees. You cannot actually get near the temple itself, but the scenery and views are worth the journey if you are on that side of the island. I wouldn't travel much more than an hour, personally as you cannot get close. We were warned there are monkeys who can be a little vicious but luckily we didn't experience that ourselves. Common sense is the order of the day - keep belongings out of reach. We stayed and watched the dance (100,000 rp)and without being too harsh, it was a little boring. If you do go, sit down the front, so you can hear better at the end. We have seen similar thing in Thailand and thoroughly enjoyed it.
(48) The view from top of the mountain near the temple is one of the amazing thing i have ever seen. The sunset is also mesmerizing over there.
(49) The temple was amazing to see and the whole area was very peaceful and it's fantastic to see the local people worshipping. It is a great, unmissable spot in Bali, don't miss it!
(50) Regarding this Temple I think in terms of us we tourist the view is really amazing. Depending upon the time your visiting this temple you get a different view. I travel in a little bit of rainy season in JAN but good thing was that it did not rain. I had a private tour and the guide was awesome and took me to this location however, there is a small amount of fee you need to pay. \nIf your traveling to BALI then this is one of the place that you must visit, the scenery of this area is outstanding.
(51) This was the end of our trip. Nice place and temple has its own uniqueness. The temple is near with the beach and has beautiful sunset views. A temple that really has an enchanting beauty charm.
(52) Stunning views from the cliffs and if visiting temples in Bali, one of the must see one's. Very busy as are most of the popular one's but well worth it.
(53) No doubt, this is a beautiful temple. However, we werent prepared for the tour bus crowds and tons of people. Also, before you get to the temple, you need to meander through several areas of vendors and stores. \n\nAfter reaching the sea, the area is overrun with tourists using selfie sticks. Definitely not the experience we expected after driving over an hour to reach here. We stayed for about 10 minutes. Im glad we came, as this is my second trip to Bali and I missed it my first time here, but I wouldnt return and I would visit other temples again over this one.
(54) Such a wonderful place to visit. Mountain beauty and temple built with the sea touching the mountain rocks. Awesome view.
(55) One of the most temples in Bali. You can not visit it inside, but see it from outside. It is positioned on a cliff right on the water with waves crushing on its base. Beautiful. Lots of shade around and places to eat as you access the temple.
(56) Temple itself is nothing like the pictures.\n\nThe place is very crowded, and you have to walk through a large area filled with disgraceful shops and shopowners trying to sell you some crap you don't need.\n\nFelt like Kuta all over, and the magic I experienced in the other temples were nowhere to be found.
(57) I really, really, wanted to love this temple and experience a spiritual moment like I did at Goa Gajah, Tanah Lot, and Tirta Empul. But it was just too crowded, too hot and with no shade, too many people trying to get us to do a tour for a tip, and hubby was not feeling too well. So we quickly went in, did took the obligatory pictures, fought the crowds up and down all the stairs, and came back out. In hindsight, we probably should of just come that morning, instead of coming around 2pm. Though it was gorgeous, it was just too touristy to enjoy.
(58) Local tourist here.\nThis place is so unique because of their temple. This temple also have a beautiful sunset (But yeah Bali have many more place which give a beautiful sunset).\nBefore entering area around the temple, there are so many souvenirs shop and food stalls (such as roasted corn or chilled drinks, and yeah there are some beers).\n\nPros :\n- Unique temple\n- Beautiful scenery\n- There are other temple around here which is beautiful.\n\nCons :\n- way too many tourist around here\n- slippery\n- sorry, you cannot enter to their temple\n\nHidden attraction : near the main temple, they claim they have a legendary white snake and will bring good fortune to the tourist.
(59) This place is just amazing, great views with beautiful scenery around the temples inside. Worth visiting, no regrets.
(60) Too high expectation for rather insignificant temple, however coastline is splendid and sunset beautiful. Too many people and monkeys stealing glasses rather spoilt it. Recommend leaving at sunset to avoid car park chaos. I would say this is definitely missable!

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) This is a beautiful temple in a beautiful setting. We went at low tide. It was nice to be able to walk up to the temple. The mythology surrounding the temple history is fun (created by a meditating monk who then converted his sash into sea snakes to protect it from evil spirits). But, I think that the pictures of it that I have seen at sunset are more impressive. Visiting during the day loses some of the aesthetic value. It is a worthwhile visit, but not an unforgettable experience.
(2) Enjoyed visiting here today. Lovely temple situated on the rock and while you cant go up, its a beautiful sight to behold.
(3) It's nice, but that's just it. nothing more, nothing less. I have seen many temples which are much more beautiful. Tickets are relatively expensive
(4) Scenic view from the cliff. There is akin pathway along the cliff which would give you magnificent view of the temple.\n\nShould be included in the Bali travel list.
(5) What used to be one of Balis prettiest spots has become overrun and overdeveloped. Selfie sticks are everywhere and no one seems to be bothered about observing the sarong rule anymore. Its a long drive to this place and youve got to ask yourself if its truly worth it. I dont think it is. There are other lake temples on the island. Rather go check out those.
(6) We stayed here just for one hour and beside the beautiful ocean view there was nothing to see. The temple was closed for the public and there was nothing. Everywhere was garbage. I expected this place would be more tidier and greener as they call it a temple but I can tell you - there are different places in Bali which are more beuautiful and worth to visit. ;)
(7) This is a must place to visit when you visit Bali. Very scenic place with best sea view. One can enjoy good food outside temple with local traditional shopping.
(8) Perfect afternoon with fantastic views. Lovely to experience the traditional spiritual Temple from afar. Visitors are not allowed to go up the mountain and inside. Surrounding parklands were wonderful.
(9) This should not be missed when visiting Bali. Well maintained temple and park. A great backdrop for your Bali postcard. Come early to avoid huge crowd and heat.
(10) Impressive views of the sea from the viewing areas. No access to the temples. Not much else to do so not worth the two hour trip in searing heat and congested roads.
(11) One of the most beautiful place visited. Located top on the mountain with the very beautiful lake and of course a floating temple. Just wow.
(12) Although there were hundreds of people around, the temple was rather peaceful. Our guide Amita was amazing in explaining the Temple's history and was very accomdating. \nWe finished the tour with a traditional Balinese love story dance. Overall, amazing day full of history, faith appreciation, peacefulness and reflection.
(13) Great temple in the ocean, and I can imagine with no tourists around it is quite a special spiritual place. We couldn't go up inside as they were preparing for a ceremony. Also, there were thousands of people around which was a bit unfortunate, very very crowded, but just as the sun went down, we managed to find a local bar and have a drink whilst watching the sunset which was really beautiful. Just be warned, this time of year is rainy season, so can be very windy and or rainy.
(14) This temple is just beautiful! .. we found it very crowded with tourists but understandable as it is a top place to see in Bali.. also we found that the little shops were super cheap here, so if you plan to do shopping for souvenir you should do so here ( I was surprised as i figured it would be more expensive due to the tourist attraction) \ni would recommend this location when in Bali
(15) We had a nice walk along the cliff especially at the sunset. At the end, there is a temple but it was less impressive than the view on the cliff and the sea.
(16) Travelled from Sanur to see the temple whilst on a tour of that area. \nLovely views on the lake and a nice place to visit but you don't need more than an hour and only worth a visit if you are in the surrounding area.
(17) We had a great afternoon, walked over to the temple where we were blessed, absolutely beautiful sunset, a must do.
(18) The place is extemely beautiful... The view was amazing, cliff on one side and the open waters on another. The pujaris gave us auspicious water and put a yellow flower above the ear... It made for some wonderful pictures...\nAlthough, the main area for praying is restricted and tourists are not allowed there...\nJust outside the temple, I had dark chocolate ice-cream on a bamboo charcoal cone from the first shop and it was the one of the most delicious ice-creams I had ever had...
(19) Put this on your list of \things to do\". What great views of the ocean this place has from the temple high on the cliffs. Awesome place to take in the views and would definitely recommend this place to friends who go to Bali."
(20) One of the best temple sites ever seen! 4 Temples by the lake and so very scenic.\nWould visit again when in Bali!
(21) This Hindu temple set on Lake Beratan is a famous Instagram photo op and is featured on the 50,000 Rupiah note. The scenery is gorgeous and the grounds are well-maintained with tropical flowers and plants. The reason for only 4 stars is due to the commercialism like \tacky\" Disneyland-type colorful cement animals. It is a popular place and crowded. We saw a lot of eating areas and places to rest. Our tour guide said we could ride the boats in the lake for an additional fee. I believe the entrance fee to the temple was about 50,000 rupiah and they do take credit cards."
(22) This is a very busy tourist spot. The Temple is a beautiful Balinese Temple and the backdrop (sea) is stunning especially at sunset. There are also markets for shopping. It is always very crowded but you can find a spot and enjoy. Depending on the tides, you can't always walk across to the Temple. A magical photo spot.
(23) Beautiful temple with a stunning view. However, it took hours to get there due to traffic and it was overpopulated with tourists. You are not allowed to go into the temple so its really just to take a picture.
(24) Too bad about all the fake statues and Sponge Bob. Setting is lovely temple is iconic. Tons of buses from cruise ships.
(25) Nice view lake with temple in the middle the lake, quite cold because located in the mountain, so dont forger brong your jacket / umbrella, i come here and its raining
(26) A quick stop while we were in town, it was filled with tourists. Lovely views of the temple and see along the cliffs edge. It is unique because of its location but we found other temples to be more beautiful and interesting.
(27) Beautiful temple to visit, recommend going & getting a taxi or driver to wait for you, as our taxi did as not many will be around to do random pick up.\n\nWent when high tide so was unable to walk across, would recommended checking when going as would imagine it to be much better when low tide!\n\nYou have to pay about $2 AU to enter per person also.
(28) If you think you can go into the temple and pay your respects, think again\n\nThe Balinese only allow those dressed in their own attire to attend and pray in the temple which left me as a Hindu rather disappointed\n\nDon't get me wrong the temple architecture is awe inspiring but you can only see it from a distant which I didn't know about. It's only open during holy days for worship\n\nWorth a visit as its lovely, but not as culturally enlightening as I had wished
(29) We took this tour with recommendation from out tour guide, it's very nice to see how they all congregate in there own villages to their own temple, we had to wear a sarong to enter but it was a donation only and you respect the signs with in the temple.
(30) Such a Beautiful view. Looking out from the cliffs and then looking to the cliffs from different angles, you cant imagine the amount of work and labour to get this temple built.. Worth a Visit ! Amazing views and great experience ! Bring a good camera !
(31) Very beautiful temple, great views with the lake behind. It is visited a lot but the crowd was moderate when we went there (around 10-10h30) and it was nice to walk around. No need of sarong.
(32) This is the best beautiful temple in the mountain, and has a beautiful scenery of the lake and the beautiful well maintained garden. Being up a mountain, we feel like escape from the busy life in the city and the humidity. Nice place to have lunch and watching the beautiful panorama. Very incrideble experience of the trip.
(33) This temple is beautiful and has sweeping views of the Indian Ocean. Recommend visiting late afternoon and watching sunset, however the traditional dance show offered for 100 IDR did not appeal to us; the theater was too crowded, the view not quite as advertised and performance seemed too touristy. \nVisitors must wear a sarong or sash, but is included in 20 IDR entrance fee. Beware of monkeys, don't bring anything you don't want to have pilfered.
(34) This is a beautiful temple and sunset here is amazing, but it's very overcrowded so looses a bit a what should be special about it, also a lot of cheap crap tourist shops to pass before you get to the temple.\nBest thing was probably seeing the thousands of bats fly out of te cave for the night.
(35) This is a must on your list of temples when visiting Bali. We were lucky when we visited as the tide was out so we got to the holy water and on to the steps of the temple. Nice position on the beach. Nice market stalls on the way and back from the temple.
(36) This was my favourite of the many temples visited in Bali, the mountain lake setting makes for a picturesque view and without the hoards of sarong selling locals and dodgy taxi drivers. The altitude and relative coolness is a welcome break from the humid and polluted Bali streets.
(37) There are several holy sites located within the complex related to the Balinese Hindu beliefs about death and reincarnation, with a surprisingly important role played by the little scamps that call it home.At the northwestern border of the forest is an ancient bathing temple. Accessible by a steep flight of stairs and fed by a nearby stream, its used to carry out purification rituals. The villagers consider the waters here to have special cleansing powers, based on the Balinese belief in the holiness of upstream water. After cremation, the ashes and bone fragments of the deceased are immersed in this holy water for cleansing, while funeral-goers take a purifying bath. bit concern about new parking area how noise it could be?
(38) This temple is very beautiful with the picturesque scenery and clean sea. There are many small shops around this temple which sell paintings, bracelets, and ornaments. We had a small snack in a nearby shop made with cut fruits, raw mango, sugar, chilies, and palm sugar which was lip-smacking, absolutely recommended if you want to try something new.
(39) This is located quite far from city center,one has to join a tour\nTo see this temple on the lakeshore\n\nOne has to negotiate the winding road by car or by bus to go up the mountain\n\nOn our way up,there are local coffee house which serves Local Baturiti coffee.....which is not for everybody as the coffee beans are fed through the intestines of Luwak\n\nThe coffee shop is located by the hill side overlooking the rice paddies which is very serene\n\nThe coffee is prepared in front of you by distillation into a cup\n\nIt is very tasty with good after taste....not for everybody if you consider the source!!!\n\nThe temple by the lakeshore is quite picturesque\n\nLots of Merry go round for children to play with\n\nGood place for families outings,as there are boat rides etc\n\nIt could be windy and temp is just right to stay away from the humidity,plus the cloudy skies which makes photography somewhat non ideal\n\nWe were fortunate enough to walk on the shoreline as the water level is low(considering Dec is rainy season)\n\nOverall you can spend your afternoon here,there are lots of t shirt shops outside the temple, and there are lots of restaurants by the lake,some of them even offer buffet
(40) Great views but crowded at sunset and it is difficult to get a good picture. Not so interactive either as you cannot go and see the temples up close.
(41) The backdrop of this temple is truly stunning! The sea, rocks and hills make a beautiful picture. Though we didn't go during sunrise/sunset it was still pretty spectacular.
(42) The temple is situated on a lake shore and a small island. Fortunately it wasn't very crowded today with the rain. Unfortunately there were people hawking souvenirs, cards, windup toys, etc. Hopefully the sales supported the temple but not sure. The grounds were very nice and one could get away from the small crowds that were present by going to areas not commonly visited by the tourists. As I wander through these places I always wonder what it would have been like to be here 40 or 50 years ago. Nice setting, pleasant visit, would recommend that you see it.
(43) The temple is nothing especial. The view is good, but the temple itself is ok. Before going there you should consider the fact that only worshipers can get inside the temple, so the only thing you get is the view of the temple from the cliff. It worth going only if you have time.
(44) It's nice to go here and take a picture, but furthermore there is not that much you can see because you can not enter the temple itself..
(45) The sunrises from temple statue and the view is totally worth it .. grand Hyatt also rents kite if you wish to fly kite
(46) I was so excited to see the temple but didn't get even close. For 60k entrance fee I paid I got a beautiful sunset only and that was it, no sign of the temple. You can see the temple and take pictures only from a distance, don't expect to actually go into the temple. A restroom you have to pay and all of them look and smell terrible. You will be very disappointed if you go there to see the temple which you actually cannot see.
(47) Me and my wife drove up there from ubud. It took about 1 1/2 hours to get there. The entrance fee was 100,000 rupiah for each person!! Which was expensive for Bali standards. The structure you see in the pictures by the lake is not as big as you would expect. The garden and temple is all well maintained and looks very European. Lots of crowds. And extremely over rated. My advice don't bother going. There are better temples to see.
(48) Because its located above the city, it has very nice and cool air. Amazing temple and surrounds. Beautiful lake and amazing place to visit!
(49) Outside of the temple too commercialized, but we still manage to catch nice glimpse of sunset over the horizon. Recommended to visit as this is the landmark of bali.
(50) When you browse a random store you will undoubtly have seen this iconic temple on a postcard. So a must-see would you say. The real truth is that its pretty overrated. They destroyed the serenity of the temple by placing plastic frogs and other statues around it. You can even ride a paddleboat to see it from a different site. So i recommend to only go there when its on your way to for instance the gitgit waterfalls.
(51) It has a breath-taking view. Worth a visit. Just make sure that you visit the place when the temple is open, when we had visited the place, we couldn't visit the temple then.
(52) Three old and beautiful temples on west coast of Bali. There is a local holly spring with still water.\nThey are included in UNESCO list.\nIf you will come after 5 p.m. and it would be a good weather, you may catch an amazing sunset.\nI think that this is the place you must see in Bali.\nAdult: 60000 rp.\nChildren: 30000 rp.
(53) Completely worth visiting! A one of a kind temple surrounded by the gorgeous lake. Be prepared for rain, as it poured when we visited. Also, though it is not mandatory, wearing proper attire is strongly suggested!
(54) This was my favorite Bali temple. With that said it is a log journey from Semenyack. Not as commercialized as some of the other temples but very nice. The grounds are well kept and they held true to traditional practices such as the sarong. The focal point is a beautiful pair of buildings on the lake. Entrance fee is 30,000 Rp per person.
(55) An absolute stunning landmark. The entrance was very cheap, I think a few gbp. The photo opportunities are everywhere and it's quite easy to get your photo in front of the temple with your note, I was expecting it to be hard work! Highly recommend a visit.
(56) This is well maintained temple and garden. The views a lovely over the lake, very enjoyable 45 minutes walking around the area
(57) Nice Balinese temple situated in the middle of a pleasantly green park area. Nice surroundings ! Although there were a lot of Balinese and foreign tourists when we were there, the place did not give the impression to be crowded with tourists.
(58) we have a very bad experience here! first, those who take taxi to temple, please make sure you booked round way, because if you want to take taxi come back, there is a transportation services in parking lot. the guys there are collude with each other to charge amazing high fees(we want to go to ayana, they ask for 20 usd!!) and they don't allow the taxi drivers(such as blue bird) to pick up clients in this area!. we finally take a taxi but the taxi driver was stopped by these transportation services guy on the main road way back! these guys are indeed robbers and THE GOVERNMENT HAS NO ACTION ON STOPPING IT! IT'S VERY TERRIBLE!!! \nsecond, if you are in the main entrance of temple to buy the tickets, there will be some \kind guys\" taking with you that they will go with you to protect you from the monkeys! don't let him come with you, I say NO directly. They must charge you after accompanying you."
(59) This was about an hour and a half drive from the first temple we visited - Taman Ayun.\n\nWhen we arrived, the parking lot was already full of tourist buses.\n\nThe grounds/park was well-maintained, but quite odd that it looks like a mini zoo (with bats and python you can take a picture with for a fee) within the temple grounds. \n\nThe temple by the lake is beautiful and unique, however, it looks better in pictures. And once you're done having your picture there, there's really nothing much to do. \n\nTemperature can be quite cold because it sits on a higher altitude, so come prepared.
(60) This is one of the most beautiful place I had seen in my life, It has a cold atmosphere and a huge lake where the temple is located. Didnt want to leave this place. if you go spend atleast 3 to 4 hours here relaxing around.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) If you are a temple fiend, this is a great place for some solitude. A bit touristy but on the day we went it was quite eerily still, overcast and freezing cold, which sort of added to the ambience. See photos. Plenty of temples in Bali, this ones worth a visit for a few photos instead of waiting up North for three hours to take one of the main water temple.
(2) This was a beautiful location for views of the sea, cliff, and the temple out over the water. The dowside is that it's very commercialzed and crowded and visitors can't go into the temple.
(3) Fantastic views at sunset. Can go up to the bottom part of the temple during low tide. We went the day after their annual festival on the 8th. So there were lots of local people going for the prayers as well.
(4) We visited and were awestruck by the views and by the temple. It was well worth the additional few bucks $6 USD for a tour guide to explain everything.
(5) Great rolling waves into the shore during our visit. Temple was not accessible because of the tides but the grounds were beautiful. Continue walking up the path towards the golf course for a different perspective.
(6) exactly it was on my to do list and thanks god i did :)way to the temple is precipitous but it deserves to be seen.except of this bali is an amazing island with many places to see.
(7) One of the most famous temples in Bali so no need to say it is a tourist hotspot. It is a duck and dive thru tourist camera shot and nagging hawkers. All in all a place you have to visit, just to say you have, when in Bali.
(8) Awesome view and great place to see the balinese culture.. beautiful temple overlooking the sea.. you gotta see it by yourself.. and be careful with steps and monkeys.. keep your valueable out of sight..
(9) I guess when in Bali this is a must visit place. The ocean view is simply amazing. The architecture of the temple is very amazing too. Unfortunately we are not allow into the temple as per our guide. If need to be as near as to the rock or below the temple one need to check the tide. I strongly recommend to visit this place when in Bali.
(10) Been visiting this place several times, and I am impressed with the great architecture of temple that set on the small rock by the sea. The view around and the main temple is great however since this place is a favorite site in Bali it's always busy of people visiting. If you like to take a great photo try to come in the morning :)
(11) Beautiful small temple in a Lake. When we visited the temple it was a rainy day. But don't worry you can rent umbrellas from temple entrance. We covered Jatiluwih rice terrace & Bratan temple in a day. Both same route.
(12) The view from the temple is breath taking. The ocean far and wide. The temple itself is mesmerizing. Loved this place.
(13) We visited a lot of temples in Bali and this was definitely above average. The temple grounds and surrounding areas were beautiful. As with many others one might also get the impression there isn't much there to see, not that many structures, just some well maintained grounds and a nice lake view, so I guess how impressive it all really is probably depends on perspective. I liked it. \n\nIf you visit a lot of temples it can dissipate the experience since you might essentially \take them in\" within a half hour each, a bit like stepping in and out of postcards, but that's actually not such a bad experience, as long as the logistics and other details are well-managed. It might work well to schedule two days to see a lot of temples and other sites, plenty of time to do a lot of driving, likely best with a hired driver, but the roads are fine, anyone really could do it. To squeeze a lot into one day--what we did--can be a bit much, adding up to a full day of driving time with stops cut short, not the best way to experience beautiful holy sites."
(14) Very picturesque place to visit and very relaxing place to walk around. The grounds are incredibly well tendered. They have a small deer park apparently the deer are rare and they choose to keep them safe in their grounds which adds a little interest among the great temple. It's well worth a visit as part of a tour of other sites.
(15) It is the second place we visited in Bali. It really nice place. U can walk on the water and get picture with many statues and fishes. U should get a tour of Basekih Temple and Tirta Gangga because they are locate in the East side of Bali. (Temples in Bali located very far)
(16) Best visited close to sunset, this small temple on a rock is surrounded by the ocean at high tide. Come in the late afternoon to walk around the base of the temple before the tide comes in. Then watch the sunset from one of the bars or beachfront restaurants nearby. Be aware you may not be able to enter the actual temple itself. Expect medium to large crowds in the evenings. Take 20 minutes to enjoy the surrounding gardens and statues too. The black and white cloths and wraps around statues are holy colours.
(17) A temple atop the rocky remains bang on the beach - the setting is idyllic. We perched ourselves on a rock closer to the Pan Pacific hotel and waited for the sunset. The place forces you to sit down, relax, reflect, meditate and recharge. Just watch the waves and wait for the sun to melt into the sea. It's beautiful.
(18) One of the nicest temples we saw in Bali. It's the one on the lake on the front of the lonely planet book. Only downside is that it's packed with tourists so best get there early in the motning. As there are so many temples all over Bali I wouldn't go out of my way to see this one specifically bit it is in the same region as the jatiluwih rice fields, which are 100% worth the visit. It's a good day out from ubud to hire a driver and do these 2 together (see separate review on the rice terraces) probably shouldn't pay more than about 500k for a driver for 6 hours. We booked direct from the hotel and ended up paying about 700k but later found out that you can get a driver much cheaper from the tourist stalls in central ubud.
(19) getting there can be a hassel due to traffic. plan ahead and give yourself sufficient travel time.\n\nnominal entrance fee. bring a sarong or you can borrow one from staff. both males and females need to wear sarong if you are wearing shorts. you have to pay the entrance fee regardless if you borrow a sarong or not.\n\nbeautiful place to watch sunset.\n\nthe temple is on a cliff so just the view of the ocean alone is amazing.\n\nbeware of the monkeys. even locals dislike them.\n\nwe think it's a must see for all 1st time travelers to bali.
(20) I can't understand why people are angry about not being able to enter the temple on the water.\n\nAs is widely known, the inner area of temples is restricted to those who worship only. Foreigners are not allowed to just walk into the holy area and take photos.\n\nPlease understand that this is a beautiful temple with a lot of history - over 1000 years old.\n\nGet a guide to take you around Bali for the day and he will take you here along with some other temples for half the price of other tour guides. Look at Parto Bali Tours.
(21) We did visit the temple and stay there to watch sunset.\nIt's a beautiful place and was nice to visit but because is tourist and famous due lovely sunset is too crowded and at times it's difficult to enjoy the beauty of the place. \nFor sure place to visit. There is places to park car or motorbike and also some shops where you can buy something to eat or drink.
(22) Arrived around 4.30. Plenty of time to look around the various sites and the tide was low so got to walk out to the main temple and have a blessing from the fresh water spring by the monks. Crowded but bearable. Sit in the little warungs from about 5.45 to get the sun going down on the temple. Bali.
(23) The temple was amazing enough but the show, please read the story they hand you upon entrance which makes the show easier to follow along, was a great way to experience a bit of the indo culture! Picturesque views for sunset makes this a must visit while in Bali!
(24) If are in Bali.. Don't miss this extraordinary beautiful temple campus. It's between a big lake and lots and lots of travelers around the world. It also have restaurants inside who provide decent food. If you have time, you can go for boating as well.
(25) Very popular place for travellers and locals. Great markets, lovely restaurant's.\nAwesome photo opportunities of the beautiful sunsets and temple.
(26) Its a very old temple constructed near the beautiful see but when we visited its high tide so we cannot get into the temple
(27) The place is quite good. They have a cave where you get the holy water and another tiny cave where there is the holy snake (pay donation to touch it). As you walk away from the whole touristy lot you will come along the beach and that was the most beautiful place we had been to.
(28) A must in Bali .... Beautiful temple & awesome sunset view! Visit during low tide... The holy water blessing is interesting.
(29) This temple does not have anything of sacre anymore. Became a cinematographic set for idiots who pay money to take a fake picture on the main gate done with a mirror, just to post it in Instagram or Facebook. \nSuch a delusion. Use your time for other better temples.
(30) Lovely temple on the waters edge but soo crowded and we went in the middle of the day to beat the crowds, so I think sunset would be crazy. The markets are good prices for shopping
(31) Located in a valley, after crossing a hill, surrounded by lake! A temple cannot be better than this. The huge lake is a great attraction. The temple is located just inside the lake. You can take boat rides also around the temple and inside the lake.\n\nThe temple complex is pretty big. You will get different views from different parts. But the best view is the mountain surrounding the lake.\n\nThe weather is very interesting. There will be cloud and mist completely barring the mountain view, and in five minutes it will be clear and everything will be shining. You may get intermittent rains, so better carry an umbrella or light raincoats. As it is on an altitude, temperature will be cooler than the mainland Bali and you may need a light wrap around or shawl.
(32) It is nice temple complex to visit. Located on the water front. You can walk around the complex watching various statues.
(33) The cliff side temple was crowded with tourist waiting for the sun to set. Best sunset view I had in Bali with the cliff side temple, the ocean and the orange grow as the sun disappeared into the horizon.
(34) The grounds are beautiful and the scenery near the temple itself (lake, mountains, etc) are breathtaking. That being said, this is known as the \floating temple\" and unfortunately this is definitely not the case during the dry season. The majority of the temple was surrounded by land that was covered with cement blocks and other broken construction equipment during our visit. The temple itself is beautiful and I hate to say it's not worth a visit, but temper your expectations. The other disappointment was the number of loud, disrespectful people who would probably not stop short of shoving others out of the way just to get their latest Instagram pic."
(35) The sunset here was spectacular and we've ever seen in bali, the temple was great overview the indian ocean. During the full moon, the water was high so we were afraid to come to the temple cos we were both not so adventurous, many tourists did. Many restaurants and art shops there. Big crowd!!! Sometimes felt not convenient. We came for sunset here not for shopping. The location of the temple is in the middle of the sea, you may take a boat to go there. It's very exciting. Highly recommend this place.
(36) So much space. Beautiful warm water. A must. There are women selling gorgeous sarongs. Perfect for presents.
(37) The Temple is situated on a rock jutting out into the sea. During high tide it gets cut off from the mainland & it becomes quite difficult to reach the temple unless you are prepared to wade through the seawater. Entry into the temple is as such only for Balinese people only and others can only go up to the stairs.\n\nThe best time of the day to visit is the sunset time but it is very very crowded so plan your visit accordingly. The high waves crashing on to the rocks and the sky changing colors with every passing moment at sunset time creates a mesmerizing effect.\n\nThere is a very big paid parking lot and the path leading to the shoreline & the temple is lined with shops selling souvenirs & things.
(38) Wonderful experience! Very picturesque as we caught the sunset. As you enter, there are so many vendors. There was also a lot of people considering it is a tourist attraction. It was nice to catch the locals worshipping at the temple too. . There was a woman with a very big yellow python that you could pay to take a picture with the python but we were not as brave to do that. Looking back, I wish I had took the pic with the python though :)
(39) Wonderful experience. During high tide, the temple gives the impression that it is floating in the sea. Superb view. The place is so well kept despite the crowd.
(40) It is a beautiful place to visit if you like nature, architecture or if you want a glimpse into Balinese culture and heritage
(41) Spectacular view of the temple from the other cliff. The place is very crowded and commercialized, we have to walk through the stalls with souvenirs before reaching the place. No visitors could enter the temple, it could only be viewed from a distance.
(42) I have been to this place very beautiful sunset and also that's one of to see the temple on the cliff.
(43) You should visit this temple before sunset as there you can view sunset if clouds are not there. Also to reach main temple you have to cross 50mtrs sea path . If there is low tide you can visit the main temple area. You don't need to change your dress or wear a sarong for this temple. Entry fee for adult is 60000idr and taxi parking charges is 5000idr.
(44) One of the uniq temple in Bali, any tourist should go this attraction especially during sunset, nice view of temple
(45) Plan to go there by afternoon time to enjoy the beauty and neat temple of historical Bali and evening the surprise sunset for your camera eyes. One of the must see place in Bali.
(46) You must wear a sarong and tie to visit this temple but you can get them at the entrance. We only went to the first level and the view was amazing. Very short queue to take photo but I felt it was a bit staged. Prefer my photo with no one!
(47) This temple is very unique and you will see rough waves when the tide is coming in. It was high tide when we went and the whole temple was surrounded by the sea water. Still some locals in traditional prayer costume made their way to the temple.
(48) You don't have any option to take a picture to the \door\" unless you pay to the photograph. The temple behind is most beautiful than the door"
(49) Went to Bali last week and out for a day tour. I would say this place is a Must to visit if you go Bali. The scenery of the cliff is breathtaking! \n\nThe road to the temple is narrow and it will be jam due to tour buses and tourist vans. So, expect to spend more time on the road. \n\nKeep your belongings in the bag or leave it in the car. There are lots of monkeys on the way up to the temple. They are aggressive and we saw a few tourists' sunglasses were snatched by them. So, keep your phone and etc.\n\nRespect the culture, everyone is require to wear the \sarong\" before enter. It is available in front of the ticket counter for free. Entrance fee to enter to the temple is 30,000 rupiah."
(50) The temple itself is not very special. I think when you go there during the day, its worth skipping. We were here at sunset, the sunset makes it all magical so when you have the possibility to go then ita definitely worth it. \nDont take anything but your camera because the monkeys take everything including your phone out of your hands) we saw it happening to another tourist).\nDrivers are available to take you home afterwards. Expect to pay more than you like so better to bring your own driver and let him wait for you.
(51) Beautiful temple and worth a visit. Amazing to watch the waves coming in onto the rocks. Avoid sunset if you dont like crowds.
(52) Place gets really busy late in the afternoon for the sunset. A nice place to watch the sun sets and a good place to shop as well before the temple. You have to be at the right place or angle so can take a nice photo of the sun and the temple.
(53) Like most say the temple is always crowded, so it can be a real pain to get some good photos. My guide at the temple said that early morning is better and then come back later for the Kecak fire dance. Even though I was there at around 3pm I could still see everything. The Kecak fire dance was awesome, you do have to buy a ticket for that, but it was like 8 euro / 10 dollar / 150000 IDR, well worth it. I came by regular taxi but it's it real pain to get one there and eventually the guy keeping tabs on private drivers charging around 400000 IDR drove me to Sanur. For about double that you can have a private driver and that is certainly recommended when you go here. Be aware of the monkeys!!! They will steal anything, certainly sunglasses! But also big wallets and cameras, even phones! And if one takes something, don't go after them, let the locals do that! They give them food for exchange and please give them a good tip if they get it back for you. A woman lost her wallet with all her credit cards in it and I had to restrain her from going after the monkey, she got it all back. This a good example of why a second wallet just filled with rupiah is better, if you lose that, bummer, but at least you have your cards. And if your with a private driver leave it all in the car. Wear a sarong women and men too, if just out of respect, so bring one with you.
(54) 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.
(55) This is a lovely temple sitting on the shores of Lake Beratan. We were lucky to witness a ceremony while we were there. The temple complex itself is not open to public. The two temples on the water look like they are floating on the lake. This is by far the most beautiful temple we have seen in Bali. There is also a nice garden/park next to the temple on the shores of Lake Beratan which is picture perfect for photos. Well worth the long drive here.
(56) We had only one afternoon free in Bali and we chose to visit Tanah Lot and see \the temple in the sea\". And we were in for a treat, because though it was a longish drive from Nusa Dua (an hour and a half through Bali) - we got sea, sunset, temple and a glimpse of local culture. We reached around five thirty just in time to see the sun begin to set across the sea. We could climb down the steep cliff steps and walk on the beach on the sand and rocks. The temple itself was small and you could not go inside. But the architecture and its position was interesting - the way it was perched on a cliff jutting into the sea. When we were ready to leave we got to see local school kids rehearse for a cultural dance performance...It was a great way to spend one afternoon in Bali."
(57) We went there about 4:30 PM. The scenery is quiet beautiful but starting 5 oclock the place is becoming more and more crowded.\nAnyway that's normal, everyone come to see the beautiful sunset over this temple.\nKeep in mind that the entry fee is no longer 30 krp but 60 krp since october.
(58) This temple is featured on a Balinese bill because it is stunning. You meander through well kept pathways of flowers and trees to the water's edge to see the temples in the lake...yes there are LOTS of people, but if you linger you have plenty of chances to take great photos and enjoy the vistas. There was an art exhibit happening when we were there and many families on holiday which added to the festive nature. We had about 45 minutes there and needed a bit longer to soak it all in. It is a winding road from Lovina Beach, but worth the drive and apparently a boat trip is a good way to arrive as well.\nIt is a MUST SEE!!
(59) Although it was very hot, and i had to walk quite a bit. I loved my experience here it was absolutely worth visiting. The temple is down in the sea so you can cross over if the tide permits, i was not so adventurous so i just enjoyed the view from far, enjoyed a nice ice filled coconut water and had a good guide along. There are a few shops where you can pick up a souvenir or two, laze by the bars and cafes and watch the sunset over the temple it is meant to be breath taking and beautiful.Plenty photo ops here :)
(60) Visited June. We went up with a local priest from the village. Excellent English and very informative. Even our driver said we were lucky to have been accompanied by the priest. We only went as far as the middle temple but nevertheless enjoyed the experience. \nUnfortunately there had been big celebrations the previous night and they were still tidying up. Better pictures on the way down.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) Was lucky enough that the high tide was just coming in when we visited so got great pics of the waves crashing into the rocks. Dont miss the walk across to the main temple and drink from the fresh water spring. place worth spending a couple of hours.
(2) Visited as planed to go back to South Bali from Lovina. \nI drove myself out there with a car. Not easy as you need to drive as this is in the middle of a mountain and roads are not as good as everyone would love to be. \nOnce you are in, i felt everything was very clean and I enjoy the visit of the temple. Took a few pictures with a great light as we had a very sunny day. We did not eat at the restaurants there as we decided to eat in a near by restaurant after our visit. \nA pleasant trip but not sure how worth it will be if I have to drive almost 3 hours round trip just to visit it.
(3) It took us one and half hours to get here.This was our first stop for the day. The weather was hot and the place is full of Tourists and because the tides were out you could literally walk across to the temple.
(4) Traditional Bali temple beside the lake. Nice architecture and surroundings. Lots of shopping and restaurants nearby..
(5) well, this temple looks nice or even beautiful. However, it's not jaw-dropping. And the whole area is so much commercialized, full of shops that it loses its climate. Worth dropping in, though.
(6) This unique view of temple in the Rock and the sea view is mesmerizing! The best part is the sunset view. Best place for historic lovers and also religious believers of Hindu
(7) A big tourist location for both local and foreign tourists, individuals and organized groups. The main attraction is a temple dedicated to Shiva in a big rock separated from the main land by a several meters wide stripe of sea; depending on the tide, you may cross nearly dry or knee-high wet. You can't miss the temple with holy water as there is a queue of people waiting for a blessing formed all time, mainly before the sunset. Opposite to temple you can see sacred snake, Shiva's companion, outside the main area (while leaving, on your right) is a small zoo with depressed animals. While king at the temple, turn right and you will see a small additional temple worth visiting. For those seeking an unusual picture, amongst the vendors around the parking lot are live civets bound to stands to promote coffee. Stressed and depressed, needless to say...
(8) Beautifully set facing the Indian Ocean. Surprisingly still kept close to origin untouched by present day development. Whole of Bali is such. Totalu salute the Balinesians for their pride in keeping up their simple lifestyles.
(9) Nice place to catch sunset and So beautiful.\nThe temple were very unique, surrounded by sea water and awesome!
(10) This temple is famous for a reason - its beauty.\nBut with the fame came tourists and this place has really been swarmed by them. \nWhile in other temples, they make sure you dress appropriatly, here people walked around in bikinis. There was trash lying around and overall it really didn't have any of the tranquility you usually expect at a temple.\nIt was still beautiful, no doubt.
(11) This temple is quite big and you can choose how far in you want to go. We only went to the first one, which was already beautiful so I can't imagine what the others look like!\n\n- 10,000 IDR to rent a sarong (would suggest you to bring your own if you have one)\n- Entrance by donation
(12) We walked the few yards from the Good Karma restaurant, where we had had lunch, to this temple site. It really is breathtakingly beautiful and peaceful.
(13) The temple near the beach that sometimes can't b visited when high tide. When low tide, walk to temple n see around, dress properly and u can go inside cave and get water blessing from the prayer. Walk along the path to another small temples and see stunning view till the end of it, there is a restaurant with Padi field view. Plenty of shops with souvenirs and all, cafes and see sunset with coconut drink and others. It's a must go in Bali! Even surfers can try to catch the waves there
(14) The view is spectacular, worth going , the shopping around the area very cheap. Paying a small fee to get into the area of the temple. Ocean view .......Simply Amazing history...
(15) The place is very beautiful, we enjoyed the temple. we were blown away by the superb view from the temple.. . its a place not to be missed , the whole area is very scenic ... we even went all the way downstairs ... its a heaven for surfers as we could see many.. water is extremely clear... very beautiful... d long taxi drive is worth it.. also good cafes to explore & just gaze at the water.
(16) Spectacular setting with wonderful photo opportunities. Unfortunately the temple is quite small and on our visit it was very crowded. It is very popular on the evening of the Kecak and Fire Dance.\nThe paths are quite uneven and there is a bit of a climb so this is definitely not suitable for anybody with limited mobility.
(17) We traveled from Lovina to Ubud and passed the lake in the morning. It was such a charming place on the sunny day of our visit. The lake was surrounded by mountains; and there were clouds rising from them. On the shore there were grasslands and blossoming flowers, with the temple quietly sitting behind them.\n\nThere were some tourists, but the place is quite large so it didn't become crowded. It was quite cool but the UV can be quite strong.
(18) This temple is located on the beratan lake. The temple park grounds are pretty pleasant when it is not crowded. We went later in the afternoon so it was nice. We just strolled around, enjoying the cooler air. Around the temple fringe area. There is a nice Buddhist corner.
(19) This place is beautiful. We couldn't go to the temple as we need to wear special dress. The place is really crowded in the evening but you can go to see a beautiful sunset.
(20) We rented a motorbike and travel through the north of the island. This temple together with the waterfall were the highlights of the day. This temple right next to the lake makes a great impression. You cannot miss it!
(21) Paid $60,000rp per person to view this stunning temple. It has limited access once you cross the water, but you can take a drink of the clear spring water. You can cross water with the help of free guide during high tide. A donations is required if you want to see the Holy snake once in cave they had 3 sea snakes you can view. Again some stairs to get to these location but not too difficult. Reason I say to go before sunset is home bound traffic. It was crazy and took us and extra hour just to get home than normal.
(22) Gorgeous scenic spot of volcanic lake, temple and gorgeous gardens. We were lucky enough to visit yesterday when there was what looked like quite a special ceremony. Although there were a lot of tourists the place has a very peaceful atmosphere.
(23) Wonderful Temple on Cliff with mesmerizing sunset view the best destination on my trip after Ulun Danu Bratan Temple.
(24) The temple is very unique in that it is at the top of a hill and from there the view of the sea is just spectacular
(25) This temple was beautiful, the architecture was amazing and I wished we could go to the top, but it was closed, so it was a little smaller thank I wanted it to be. It was too crowded when we went to get one of those really good pictures, but we got blessed and a flower for a donation. The ocean here was a gorgeous deep grey, and the sand was black. There are a lot of stalls to buy things as you come in, so some pretty decent shopping. I found some beautiful batik fabric and necklaces for pretty cheap.
(26) The place is mainly touristy with plenty of busses, and selfie photographs. But it has peace and is really exotic as the temples are on the water. Also many boat possibilities to go around on the lake.
(27) Crowded but worth it. Shopping and food is good too. The views are amazing. You can't visit the temple but can cross the ocean and get to the rock.
(28) We did not have much time as we're driving from Semaniyak to Ubud nevertheless we had a good view of the temple area which was quite breathtaking.As it was late morning the main temple was not accessible due to the water surrounding it.however the commercialization of the area around the temple (a Polo clothes store !!) was a bit off putting..
(29) Again, nothing fancy about the temple itself.\nBut the view and the air there are perfect.\nSo good for taking amazing pictures and enjoying some fresh air.
(30) We drove here today and when we arrived, it was quite, it's best time in the early mornings to visit, less visitors , we saw the lake at low tide and they have been doing up the temples, it's looking great, but it's a shame for the temple that look out of place, it doesn't look right. For taking photos, also be warned do not approach the animals, as they tried to rip us off for taking photos, if they take photos, it's 30,000 or 50,000 rp , but the snake cost more,last time my partner went here, they never payed to take the animals photos. It would be good to see this in 5 yrs time again.
(31) We stopped by here for a nice view by the lake and spent sometime seeing the temples and taking photos here, lovely spot and had some peace at mind
(32) me and my partner spent our anniversary in Bali and this is one of our anticipated place to visit..it was majestic..the location is beyond perfect..the place was clean..they will always remind you to put your stuff in your bag because the monkeys might get it from you..my only concern was they should allow guests to enter the temple without wearing the proper attire..ive seen a lot of foreigners that are half naked around the temple..i dont think its the right place to show off your toned body because its very disrespectful..none the less..it was still a very nice experience..
(33) The place is so beautiful. This cannot be described in words. Amazing view and the sunset was mesmerizing. However like any other place there are people ready to make money. To go on the top of the temple we were asked to take holy water for which of course we had to pay. Also there was a serpent there and to see it again we had to pay some money. But I guess this is part and parcel at every place. We went done to the beach as well which was awesome. Must visit place.
(34) It is an amazing temple, there are two beaches under it but they are not accessible as the waves are dangerous. The views are spectacular although it is really crowded.
(35) Been to this place many many times, and i never get disappointed. The sacred place still has it charms, awesome vibes, and of course, many great spot to take pictures! Especially during sunset. I always in awe every time i come here. \nI just hope the local government put more strict rules for those sellers, and put more bin basket!! To keep the environment clean, to attract more tourist.
(36) The temple isnt as grand as it may look, however the sights that can be seen from it are worth the visit. Also, wearing the traditional sarong cloth is also a worthwhile experience
(37) Aside from the commercialness of the place, it is an incredible place to see sunset. Even though it was very crowded this place is a must see. There are a lot of street vendors that are pushing but if you can move away from them this place is serene. There is no way to go to the top of the temple but the cliffs are easily scalable and worth hiking them.
(38) Lots of stairs and very little shade in the middle of the day however fantastic views of the cliffs and oceans. The temple really isn't that impressive. Watch out for the evil monkeys they are very crafty
(39) The temples of Bali are beautiful. Its really good to know the culture and historic significance of these places. There is also kings swimming pool for people who would like to try.
(40) If you visit Bali you have to visit this temple, as it is on many of the typical Bali photographs. The setting of the temple is spectacular - on a lake with a backdrop of beautiful mountains.\n\nWe visited latish in the afternoon after visiting the botanical gardens and treetop adventure (brilliant by the way), and found the temple to be very crowded.\n\nI was later told that this is because all of the tour busses do this temple as the last stop on a day tour, so it is always crowded in the afternoon.\n\nI cannot guarantee it would be any quieter, but it seems it would be better to visit in the morning.
(41) Once you get past the market area and see the view it is fantastic. The temple and the culture you can experience is great. Yes there will be lots of people but get over that, considering it is the most photographed place in Bali, you will enjoy it. Beware of the waves against the rocks and you will be fine. 30,000Bt entry isn't bad and the views are amazing. Any time of day it is great!
(42) It is beautiful place. You can understand that Balinese culture is absolutely unique with unique architecture. This is one of the most beautiful place in Bali. The road on the way there is also very beautiful. Recommend you over stop in Amankila hotel for cup of coffee or some cool drink. Enjoy fantastic sea view from the cliff bar there.
(43) If you only visit one temple on your trip, this is the one.\n\nGorgeous backdrop, beautifully carved out of stone, large and expansive with beautiful grounds. \n\nThe only downside was the toilet, which costs money and they only had \squatty potties\" (not Western toilets). But that aside...this is a place where you can walk around or just sit and enjoy the beauty."
(44) it is a beautiful temple by the coast, magnificent waves and shorelines, sunsets are beautiful if there are no clouds nor rain. Entry fee is 60000IDR per person.\nHowever, a larger area than the temple grounds are catered for tourist shopping dollars, lots of shops selling similar goods. spoils the experience.
(45) Mountain, lake and cool breeze, temple: Enjoy your afternoon. Gives a feel of hill station, though can visit any time of the day but prefer to enjoy your afternoon here, as its cool, and soothing place and environment.
(46) We loved the temple, it is really beautiful. There is a nice walk by the lake, the views are amazing. It is a must see in Bali.
(47) A very exotic place. Beautiful temple, beautiful sunset. Inside this area there is also a shopping center that offers souvenirs of Bali with affordable prices.
(48) This is a lovely place, full of green open spaces and interesting temples, some you cant actually go up, as they don't let us go any higher than the ground, due to religious reasons. But most enjoyable and there was a guide with another party, who was kind enough to tell us about it.\n\nGreat few house, loved it.
(49) The most incredibile view of the temple that you ever can see..on a huge cliff, right on the sea shore..The sun going down to the sea at the sunset, reflecting all that light ...on the sea waves, sparking in milion of little lights..never saw that before.\nThank you so much for insisting taking us there, Mr I Wayan Sumadi!! And thanks for all the tips you gave us..taking care with the glasses in order not to be stollen by the monkies from the forrest near the temple, was an useful one!!!
(50) Unfortunately there was limited information explaining the cultural significance of this place, and it appears it is being overrun with street peddlers and souvenir shops. A shame this has not been promoted better onsite. Otherwise, lovely gardens before the offshore temples. Lots of photo opportunities, however watch out for the local \photographers\" taking pictures (pricey)."
(51) It wasn't exceptional but just a decent place to visit. The sight and the temple is definitely good. There is a snake placed in the cave calling it a holy snake ! Dint understand the point of it being holy, but well that's what the local believe. You can't enter the temple as it is closed for viewing. It's just that the site around the temple and the rock opposite the temple that you can climb on to take a glimpse of the ocean and the rock below.
(52) The interior of the temple is closed to visitors, and is only approachable during low tide. Clealiness is good, crowded with visitors. A perfect spot for sunset photography, and many souvenir shops are available near the beach.
(53) It was an experience of lifetime. The environment was breathtaking. The walkway beside the sea leading to temple was memorable.
(54) We visited early (9am) before the tour buses arrived which was a good idea. There were only about 10 people walking around so it was easy to get some good photos. The temple was a little smaller than I was expecting but the location on the lake is beautiful. Unfortunately it was a cloudy, damp day but we still enjoyed walking around the grounds for an hour. To clarify, as I found some reviews a little confusing, the cost is 50000 IDR pp.
(55) Great location, and very different to other temples . For us there were tò many people so that there was no experience of tranquility we were also surprised at the number of touristy shops selling same old same old.
(56) Went to this place in March. Its jus too beautiful. Great to watch sunset here. Its paradise for photographers. The nature is soooooo awesome here that u ll be just glued to watching waves.Te temple in sea is also very bful. its a must visit though its pretty over crowded but cant afford to miss.
(57) We were here in February - the rainy season. Even with it being a lower season this was incredibly crowded. That's the only reason why this doesn't get an excellent rating. It's hard to really appreciate the wonder with so much business. Apart from that it really is spectacular. We were able to stay on the grounds through natya hotel which I highly recommend! We got lucky because the restaurant to the hotel faces the shops/main area so while we were eating breakfast before leaving a ceremonial walk to the temple was taking place right in front of us. \n\nIt was It was so easy to walk to the temple and enjoy the shops nearby. It's pretty and you can explore the beach (downside is that there is a lot of trash heads up).
(58) Had my tour guide drop us off here around sunset time. There was definitely thousands of people there all taking photos and it was pretty much impossible to get a good photo or even enjoy the atmosphere of the temples. It was a beautiful sight but so many tourists and what you see in the actual photos is deceiving.
(59) To see not on the temple grounds but \from\" the temple grounds are these two big rocks a little out in the sea: one is a standalone rock that you can actually \"go inside\" (if you don't mind getting your feet wet) by walking a short distance into the sea from the beach nearby; the other one in its \"true sense\" might be a cliff jutting out into the sea, but with a big arch-shaped \"opening\" below, I would just say it does appear as a big rock (although not a standalone one like the other one), and you can go right up to the gate of the small temple above it. And, I got the impression that people come to this temple mainly at \"the time of sunset\" (our tour car had difficulty finding a spot in the parking lot), and yes that big arch-shaped opening under the rock-like cliff (as mentioned above) is just a \"breathtaking photo-op\" at sunset!\n\nI came here with Perama (which cost about 330,000 rupiah for a car & a driver although you'll also have to wait for some other people if you're just by yourself like I was); being the last of the six places on the tour, this was preceded by Pura Taman Ayun (a temple with more of these \"tower-like\" structures than at all the other Balinese temples that I got to), a luwak coffee farm (where you can drink it, buy it & also see some of the furry animals whose droppings it's made of), Pacung Rice Terrace (not to go down but just to view from above), Pura Ulun Danu Beratan (a lakeside temple with beautiful \"garden-like\" grounds at a high altitude where you can also feel a \"cool air\") & Munduk Waterfall (a high-and-narrow waterfall which I would call \"quite average\" and which is quite inconvenient since you have to go \"way down below\" to see)."
(60) Lovely temple on a rock in the sea that can be approached at low tide. Entrance fee is very cheap and there is a lot to see there apart from the temple and the beautiful sunset there are a lot of stalls with souvenirs , clothing, drinks and food.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) Here you can see a Buddhist and a Hindu temple in one place. The architecture of both temples is very interesting. There's an all you can eat restaurant which charges 100 000 rupiyas for it's offerings. The entrance in both of the temples is forbidden for tourists and strangers but you can take a nice walk by the lake and enjoy the natural and architectural view of the place.
(2) The temple is beautiful situated on a rock. The nature (sea and beach) around the temple is amazing.
(3) Only for short visit and off the season, the place is quite small. Make sure you go all the way back to see the \scary\" statues oof the gods/goddess."
(4) They really take care of this place. The temple is actually located in a garden by the lake. The garden is clean. Beautiful place.
(5) Very beautiful panorama you must see, a religious hinduism temple, go to temple or waiting a dusk, really worldclass panorama, many souvenir shop and coconut fruit, pan pacific resort hotel nearby with hindian ocean and tanahlot view, welcome to a beautiful real natural bali :) :) don`t forget to bring your camera, iso 100, f8 , 1/200.
(6) The temple itself is quite beautiful but Ive seen better. Luckily the location adds a nice bonus since surrounding scenery is beautiful if the weather is good.\n\nHowever, the place was filled with tourists! Big tourist busses brought new people all the time and the pathways were so crowded it was almost impossible to move around! If you dont mind about selfie stick army and are into temples, I guess it is worth visiting. Not my cup of tea, though.
(7) It's the most photogenic temple in Bali. Best time is at high tide, when big waves break on the rocks...
(8) This is without a doubt a very beautiful temple although it has lost most of its authentic congeniality. If you want to see a temple near a lake that still has its spiritual dignity you should go to lake Tamblingan.
(9) Since you can't visit the temple I don't know why is so highly praised. The surrounding is also very touristy. Sunset was really nice thoug.
(10) Very beautiful temple, lots of stairs to climb, make sure you have mosquito repellent there are lots of bugs. The ocean is beautiful.
(11) This temple was so beautiful. It wasn't very crowded. The power of water can be seen so well there with the huge waves.
(12) The place is very crowded with tourists, nowadays is very hard to get the decent picture of the temple. The entrance fee is 60K / person, the parking is 5K for a car. There is a whole village around made of shops and souvenir stands. Mind the weather and choose the day when the sky is not cloudy so you can have a good view of the sunset. Also be careful and mind the traffic - for us it was 1 hour and 45 minutes from Nusa Dua (even though it's not that far in kilometers). The greatest part for me was the view of the sea and the cliffs, the temple is poorly viseble from the cliffs which are on the sea level. Also choose propee shoes, cause they are probably gone get wet.
(13) We went here in Dec 2017. It was a struggle to get through the touristy shops to the main event but we made it. They make a big ceremony of making you cleanse yourself in the holy water (donation required) before entering. You only get to go up a few steps to the back gate with a lovely view of their holy rubbish dump!\n\nWe had a decent lunch looking out over the rock which was lovely. We didnt bother with the holy snake in a small cave on the beach. \n\nWorth a look for the 60k IDR entrance fee but dont expect much.
(14) The Temple was nice to see. You can't get inside it or up to Not aloud for general public. The shops leading to the shore are full of cheap clothes and hats. I feel its lost it traditional values . The sunset is great to see but coming from Western Australia we have the same sunsets every day. If you haven't seen the temple its worth a trip but the ride home with All the other traffic is not so good. I liked it but wont be rushing back to it again. Tick it's something that I did in Bali. You can make ur own judgment. Enjoy.
(15) been here in an afternoon right in the sunset time and it was the best experience i had in my trip to Bali. the temple, the scene were all so beautiful that i went up and down all over the place. (the temple is not open for tourists but you can get to the rock cliffs in the area for great views and sceneries). i even had a chance to be blessed by the local Balinese people to were doing some kinda rituals at the well at the foot below the temple then. this is definitely a must-visit place if you come to Bali.
(16) Awestruck by the beauty of the nature here. its a true nature's paradise. Situated on a 80 ft high cliff with beautiful view of the blue colored ocean\n\nAnybody going there should reach there by 3:00 PM , so that you can have 2 hours of roaming around and you can have a beautiful view of sunset there at around 5:20 PM.\n\nTravel very light and dont carry extra baggage as there are a lot of monkeys there but not to worry your stuff can be saved by the temple's staff spread across the whole area.\nTake care of your sunglasses, Caps/hats, hand bags, water bottle.\n\nMost importantly, Dont book your taxis for one way only as you'll find it hard to get a taxi from their and it will cost you more. So better book a taxi for to-and fro journey.
(17) A very pretty temple to visit. The location is beautiful and the views are stunning. well worth a visit.
(18) Awesome temple complex. While the lake had receded during Bali's dry spell, the temple is exquisite. While a major tourist attraction of a main highway, very much worth the stop.
(19) The first time i went to bali and visit this temple. It takes sometime (not that long) to arrived there. The situation there is very peaceful and the locals are very helping. It is required for woman to use a special cloth that covering the knees. Overall, its a very cool place
(20) We visited the temple complex from Amed which seemed to be a good solution because it is just a 30 mins drive so you don't need to spend the whole day traveling. Go as early as possible to avoid the crowd. We didn't take a photo at the gate cause did not want to wait an hour, instead, we walked around. To visit all the temples you need almost the whole day to spend here. Bring warmer clothes, rain jacket and closed shoes.
(21) This temple is located at the southern tip of Bali. The temple area has a beautiful view of the cliff.
(22) This is a must visit for anyone who enjoys photography. It is a complex area with the temple itself becoming an island during high tide. The stone is black, which is dramatic against the blues, greens, and white of the sea. Near the temple is a natural arch reaching out into the sea that provides even more subject matter. We were fortunate to visit mid-morning when the tide was down and were able to catch excellent images reflected in tidal pools. Photographing people and their reactions to the sea and the temple provide a good story line for a program. The village is above the temple and there are many good viewpoints and great photographs possible from yet a different angle. This is a tourist destination so expect lots of people. Our guide recommended avoiding sunset when it is most crowded. There is a golf course nearby with a spectacular view of the temple. If I came back, I would look into staying in this area.
(23) The view from this temple is breathtaking, this is a must go spot and u must see the blue ocean and white waves from the cliff to believe it! do not skip this!!
(24) Maybe because we visited this temple on a friday, it was the most crowded we visited on Bali (and we visited quite a few). But still, the lake-side location makes it look a little bit more nice than other similar temples.
(25) It is the most famous temple in Bali for sunrise or sunset. Very hard to see it without people around\n\nBeautiful photography moment
(26) Beautify temple in the ocean. It was very surreal. Beautiful sunset. Entry ticket was 60k IDR. It was worth the visit.
(27) I appreciate the beauty of the temple however there was nothing spectacular to see. It was a long drive to get to the temple but was a little disappointed as we saw everything in little as 25mins. Take an umbrella as it can drizzle from time to time. Random statues of frogs and birds spoil the beauty of the park as it has nothing to do with the religion behind it.
(28) One of the most sacred temples on Bali. We opted to forgo sunset and the massive crowds and went around 10 am. No one there and beautiful day. Amazing views, very spiritual. Worth the trip.
(29) A crowded place to visit. Lots of tourists. You can see people everywhere. The temple on the rock is unique and you can't cross over during high tide. Quite a few good views around the place... entrance fee of Rp60,000 per pax.
(30) We come there when we on the way travel around Bali. This place is very close to big road so that easy for us to visit. Temple is very nice, you can have very nice picture with temple and can walk around, siting on the grass. They planted a lot of fllowe and tree there. Can be A moment relax there
(31) There are a few temples within the area. A few of them right at the edge of a cliff. There is a conscious attempt at making this place more commercialized. The sunsets here are awesome. Although crowded this place is one of the must visit places in Bali. There are stairs to reach the beach as well. However, not recommended for the elderly as the stairs are steep and high.
(32) The whole Balinese Temple attraction is becoming a little commercial. for a donation you can touch the water snake in the cave adjacent to the Island Temple at low tide. You are able to easily walk to the island temple when the tide is out. Again for a small donation you can receive a blessing in the cave of the temple and drink the spring water. (now been a sceptic there is 240V power cable to the island and there is no way a fresh water spring is located on this tiny island so my bet is there is a small water purifying set up that supplies the so called spring water) the walk way from the car park to the site is lined with vendors of all sorts, selling their trinkets and goods. There is some lovely photos to be taken with the island temple as the back drop. Sun set is worth a try but this is also there busiest time so trying to get a good photo without the crowd isn't easy. You would probably need only 1-2 hours at the site. There is a cafe of sorts on the cliff overlooking the island Temple and this is worth checking out, if not just for some photos. I would recommend this Temple but beware of the crowds and keep an open mind. Entry fee is $30,000Rp = $3 Aust.
(33) As we live here, we have visited a lot of temples. This is a favourite and on the list to take visitors, then stay at Amed.
(34) In a nutshell, thats it, great view from the cliffs. The temple is nothing special and the entry fee is quite high for what is a hot, crowded and uncomfortable wander around with little guidance unless you're willing to shell out more for a tour. The island transport mafia make this an expensive place to try and visit unless you've got your own wheels and to be honest the whole thing feels like a bit of a rip-off. \n\nI kind of wished I'd just spent another 2 hours on a beach...
(35) It's one of my favorite temples in BALI, It's a bit far from the main city but it's sure worth a visit. I would highly recommend to see the temple before sunset, the view of the ocean is spectacular, waves plus the stunning temple standing at the edge of a cliff is such a great view while waiting for sunset. So romantic if you're with your special someone. No entrance fee and there are shops outside that sell really cheap clothes and bags, specifically those shops at the parking area.
(36) One of the most epic view you ever see so beautiful and nice the holy temple and the holy water something makes you feel the really Atlantic and original times like you traveling in time to the best and see a very good story about the ancient gods and history I love it and the local restaurant there was really nice like we had a very great time
(37) Great to visit, esp. sunset time. It is good to take picture there with wonderful sunset. The show next to the temple takes 1 hr long, but it is difficult to understand the story behind, better study some myths and histories.
(38) We visited the temple for sunset and the view was breathtaking ! There were large crowds however due to the vast area, people were spread out and the weather was cool and windy.
(39) Very unexpected to be walking through markets one moment & then it just opens up to ocean & the temple. Unfortunately we were there at high tide so could not walk out to temple. So try & time your visit for this at low tide to get the full experience. Beautiful views though with plenty of vantage points to take photos. You can see all the way up the coast on a clear day. Lots of people trying to sell postcards and wanting to take your photo (at a cost of course) but they aren't to pushy and polite. The footpaths are fantastic with very view steps, however the part in front of the main temple on the main land is a little rough. Would need to be very careful with children. Small parking fee and entry fee to pay (sorry can't remember how much it was) Lots of market stalls, food and drinks available. You could walk around this place for hours. Definitely worth the visit, a beautiful place.
(40) The entrance fee - one of the most expensive of any temple I have visited\n\nThe entrance a street lined with shops selling all manner of things. Mostly tacky including the wood carved penises\n\nThe siting of the temple on a rock jutting out in to the ocean with waves crashing around it is spectacular\n\nBut you are sharing the experience with hundreds of visitors who seem to have only one aim - the perfect photo\n\nThe place lacks any sort of tranquility or atmosphere that one would associate with a temple\n\nNevertheless it is one of Bali's \must see\""
(41) We went there at noon time, around 1pm, it is so hot and sunshine is very strong. Jun is not a peak season and it is not packed.\n\nThe view is spectacular, and there are some restaurants where you can sit outside the cliff and spend a few hours there drinking tea and watch the temple. If we know the view is that good, we should go there to watch sunset instead of going to JInbanang.
(42) This was on our bucket list for Bali and it didn't disappoint. A magical place that is best seen at sunset. Be sure to wear good shoes as the walk down to the Temple is a little slippery (we saw a few people slip on the rocks). We loved the visit and would highly recommend going out to the temple as a must do cultural expierience.
(43) You have to pay 50k IDR entrance fee. Once inside the restrooms are still not free! \nWe were excited to see a nice temple complex on the lake but all around a very kitschy western style park was built which has nothing to do with the spiritual atmosphere of the place and makes it similar to a poor disney kind of a thing. Absolutely disappointing.
(44) A scenic temple on the lake side. There are many things to see around the temple as well as in it. Costs 50000 each to get down to see it.
(45) We went on a tour meant to discover this temple at sunset, but actually that's the time when most tourists arrive, so it was difficult even to get a clear picture without 10 tourists in it... We couldn't visit the temple itself, although from other reviews I understood that it would be possible. (and tax would be around 60k pp).\n\nAll in all slightly disappointed since we could only see the temple from afar.\n\nIn the evening it's the reflux, that means the water withdraws and you can get to the temple. In the morning, when the tide is high it looks as if the temple is emerging from water.
(46) I was kind of disappointed by this temple. It is certainly worthwhile visiting if you're in the close neighborhood, but don't spend a day trip on it. We had seen some amazing pictures of this temple beforehand. In reality, this is a tiny temple, whereas on the pictures it looks huge.
(47) This place is advertised everywhere but its underwhelming. There are millions of shops and the temples are actually very small. The cliff views are nice but the endless traffic jams you have to endure getting there and away are not worth it. There are much better places in Bali to see without the tourist crowd and local touts.
(48) Was amazed by the view.. not able to visit the temple though as it was high tide and the stone pathway has alrdy bn submerged.. still worth phototaking around the area... the art market near the area is worth looking into..but drive a hard bargain if you wanna catch a good deal!!
(49) We visited in the mid-afternoon. This is a very busy attraction. Make sure you visit during the low tide, or the temple is not accessible and appears to be floating out on the sea. Wearing flip flops or water walking shoes would be helpful to navigate the wet and rocky path from the mainland to the temple. The waves in the area are very strong. The uniqueness of the temple is that even though it is set out in the sea, it has a natural spring with holy water. I paid a small donation and got blessed by a priest who pasted sticky rice on my forehead and a flower behind my ear, and I got to splash myself with holy water. The temple itself is situate above the rocky out crop and not accessible by tourists, but it is the magnificent coastline, the scenic panorama and the thrill of the ocean just metres away that is the magical draw. My guide Wayan of Amansuka Tour explained that the temple was built by an Indian Hindu priest to protect the island, and the deity in the temple is the God of the sea. I'm told that many come at Sunset to admire the view. There are also several smaller temples in the vicinity, and there were locals in their bright garb making offerings and prayers amidst the many gawking tourists. The most scenic and interesting temple I've visited on this trip.
(50) Lovely setting and a pretty temple. \nThis place is just a get them in and take the money. \n\nI guess they have to up keep the place. \n\nWould not make a special trip
(51) A very nice temple where you can relax and just wait for the sunset. Just be more lucky than us (it was cloudy, so sunset was weak.
(52) This was a very beautiful and mystical temple right in the middle of the ocean and seeing it at sunset was surely a unique experience. BUT we drove on a motorbike from Ubud and it took over an hour to get here and then we were told that people are not even allowed inside the temple. So while the architecture and the overall beauty of the ocean waves and sunset was really serene and nice, it wasn't really worth the painful ride on the bike. It would be good to combine the visit with something else if you are coming from Ubud.
(53) Well worth the trip even in the pouring rain. Beautiful setting and beautifully kept grounds which provided great views and walks. Our favourite temple of those we visited.
(54) It's a \must see\" temple in a beautiful location but just cannot take the volume of tourist traffic. Balinese temple sites are better seen within a landscape from a distance and not to be scrambled over! It is also the location for the most celebrated kacak \" fire dance\" . Our visit to the large open air theatre was somewhat dampened by a thunderstorm , but the spectacle was turned into a rather pale parody of the real thing we saw in a small theatre a few years earlier and totally spoiled by being turned into a sort of circus act to satisfy the average phillistine gawping tourist: ugh!!!"
(55) The place is an old historical place portraying Balinese culture under Hindu kings. Good for visiting if one is looking to understand Balinese culture and architecture. Little fun for kids with colourful fishes in the pond. One can walk within the pond using round stones installed inside the pond. Nice little fun for children. \n\nLike most Bali Temples, there is entry fee for adults and children. Parking fee applicable for cars.
(56) Lovely view of the ocean, temple is nice $2 Aus to get in $20,000 rup. Went to blue ?point for lunch after to continue with the view. About 1.5 hours from seminyak. Worth it!
(57) Lovely temple to visit with amazing scenery within a lake. One of the must visit temple in Bali, its a steep srive to get there but worth it!
(58) It offers you a unique view of the sunset. In front of the main temple, there is a cave where the holy snake located.
(59) It is nice to visit a temple in the forest inside the town.\nThe number of tourists gathering there just spoils it, as we miss the magic it could be.
(60) You need more than an hour (which is the time that people on tour have) to enjoy the whole experience. Go there at about 3.30 to 4 pm and stay till about 6.15pm\nIts very crowded where the iconic island temple is because everyone who is there MUST have a photo taken with the temple as the backdrop. Invariably, there are some people who hog the rocks which give a good view of the iconic temple, so you actually to wait your turn and thus need more time than you think. \nI was there at low tide & we could walk across the narrow channel to where the Island temple stands. \nTo get away from the madding crowd after taking some photos of the iconic temple, just walk westward to get a nice view of the sunset. The crowd thins out as you move westward and the ground there is worth exploring too. There are some lesser known shrines along the way where the locals pray and there are also some stalls, not shops selling souvenirs on the pavement. There are good photo opportunities (& fewer people) there besides the iconic Island temple. The additional bonus when you move westward is a better view of the sunset. \nEntry fees to the temple? When I went with my group of five, we were required to pay 60,000rp per person. Because of the short one-hour or less that we were given, I decided to give it a miss. \nWhen I returned the following day by myself (on foot), I didnt need to pay any entry fee to get to the complex.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) A very beautiful temple. Great attraction but try to avoid peak visits as its a popular visit for tourist.
(2) This is a very nice spot to see. Very crowded but as an area is large one will easily find nice spot to take photo. Temples are great, and as most similar places in Bali area is packed with small shops.
(3) Beautiful temple with spectacular sea view. You only able to across from the shore over to the temple during low tide.
(4) I understood that this was one of the best temples in Bali, but I disagree. There are two temples that sit on two different outcrops but you cannot get more than a city block close to them.
(5) Beautiful temple although not convinced the plastic-looking frogs add to its beauty! It was pretty busy but unlike Besakih, we were not harassed in the slightest & able to admire the temple peacefully & at our own pace. The bank-side gardens offered opportunities for relaxing although at times it felt a bit tacky with the not always tasteful plastic animals / ornaments dotted around. Having said all that - we were pleased to have made the trip as the temple & its location are pretty stunning!
(6) What a sight! The temple is next to the beach and it is huge. There are a lot of things to see and it is just breathtaking to be here.
(7) Well worth a visit, beautiful temple grounds, not very crowded, possible to have your picture taken with fruit-bats, little owls, python, etc. for a small fee. Our children loved it!
(8) There are three main temples located on cliff tops with unusual rock formations a result of centuries of sea erosion, one that has cut through the rocks with a huge gaping hole. The temple situated on sea level has the holy spring water where tourists clamour t seek the blessings of the Gods. Absolutely stunning scenery and the highlight is waiting and watching g the sunset over the rock formations that is the most happening view. We saw the sunset which was little less than perfect as the cloud cover came to scar the full vision. A must visit for all travellers.
(9) Great view of the temple amidst the water. Quite a fun experience running away from waves and seeing people get splashed on. \n\nWould have been good to read up before the visit (which I didn't). There are no signs or guides around to tell you about the history of the place, which is a shame.
(10) We went to this temple in the early morning as part of a private tour with Agus Private Tours. Our driver dropped us near the entrance gates to the temple which saved a long walk through market stalls in the heat from the main entrance. Agus told us all about the history of the temple and customs. We we're lucky enough to see a family blessing for a child while we were there. \n\nAgus also guided us to find areas where there were less tourist but perfect spots for photos. As it was low tide we venture on the rocks near the temple with many others. Sunset is also a good time to visit but expect crowds as well. Recommended.
(11) I visited this place on 30 th December evening for the sunset view.\n Entry fees 60k IDR per adult.\nWhen we visited this place, there were high tides till the end of shore.So the entry to the central temple was closed, but it was open until 1 pm.So if u visit this place in the morning, u can visit the central temple.\n\nStill we had a great experience of atmosphere there with very good photographic places.\n\nThe sunset was not good when we viaited due to cloudy weather, but if u go in clear day, it is best place in bali to enjoy sunset. We also enjoyed some food at the restaurants from where the ocean view was really beautiful. The price of food was not expensive and food was tasty.\n\nU need 2 hours to spend here. \n\nAll in all, 9/10.
(12) This temple is the most spectacular of all in Bali, absolutely beautiful, also there are great markets and food warungs just loved it
(13) This breathtaking temple is in moutains, so take some jacket or long sleeves, but it's piece of heaven on the earth...
(14) Nice temple close to the lake.\nThe place is pretty relaxed and probably the right stay for half day.\nYou can hire a boat in the lake
(15) It is one of the scenic temples in Bali\n\nLocated by the seaside with ocean waves splashing onto the cliff,with erosions and magnificent views\n\nThere are two temples located on sides of the cliffs\n\nUnfortunately the entrance and steps are closed off for safety reasons,if one stands close to the edge you will understand why\n\nWe were fortunate because it is low tide, we can literally walk out to the base of the main temple,but due to safety reasons,we were not allowed to walk or climb onto the main temple itself\n\nThough there are tons of people,you can always find a spot to listen to the ocean waves,the wind and enjoy the bright blue sky\n\nHowever,due to the high humidity,it is very hot\n\nRecommend to bring water and an umbrella to provide shade\n\nIt really gets crowd building up at 430 onwards as everybody wants to see the sunset over the horizon
(16) Breathtaking views. Unfortunately the tide was coming in and we were not able to go to the Temple itself. Lots of smaller Temples to visit though.
(17) Great little markets on way down awesome sun rise or sunsets. Best pictures ever and great ocean temples
(18) The 'lake temple' is great to photograph in the morning, with the mountains providing a nice blueish background. It is a typical Balinese temple, with the typical design. But the location - in the Beratan lake - gives it a unique appearance. We visited the place in the morning, before the place became crowded.
(19) Amazing place. Nice market outside the temple for souveni. Not allowed to climb up the temples but still amazing view.
(20) Our guide did his best to explain why these temples were built in the water, as part of the Hindu's religious practice of water cleansing. I didn't quite understand but this temple is still a magnificent site to visit. The mountain and look in the background make it one of the prettiest temples I've ever visited. Come see the temple after doing the Bali Tree Top Adventure.
(21) On the way to this temple you will love scenery and adjacent hill side view \nBeautiful view you will enjoy nature please visit during afternoon so that you will enjoy sunset. Dont forget to take ride on boat
(22) Really beautiful views and outlooks here, great walking through the low tide water and onto shallow rocks (be careful though, some are very slippery). lots of people coming to pray & to observe the temple. came at late afternoon & was lovely with sun shining close to the water. very long lines to go inside the temple though unfortunately
(23) 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.\n\nThe 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.
(24) The temple is located on the Lake Beratan shore on a special setting. Enjoy the mixed style park with both stunning temple, concrete figures and amazing flowers.
(25) Surrounding park is set to mask the boredom of the temple itself, however it doesn't help much. Regretted going there
(26) Our guide told us that it's difficult to see this temple on a clear day due to its location high in the mountains. But it's worth the long drive up here because there are so many other worthy attractions in this region. Nice, tranquil place. There are many other tourists, but it doesn't feel crowded. Pray for good weather.
(27) This was one of the favorite temples we visited in Bali. It is extremely picturesque, set in very well maintained grounds and lake. We visited here on our way back from Lovina to Sanur, and it made a welcome change to visit an attraction \up in the hills\", with the cooler temperatures and the few spots of rain we encountered certainly didn't detract from our enjoyment. The only negative was I'm not sure the point is of the large plastic animals dotted about the grounds, I thought they detracted from the overall tranquility of this site. The whole area is well organized and the even the locals in the shops at the car park weren't overly pushy. Thank you, it was a lovely experience."
(28) Well worth a visit - would recommend - there are two separate temples on the island. The weather can be cooler so bare that in mind.
(29) You will not be the only one visiting this picturesque temple on the lake, but I think it is still worth a visit. Loved watching the ceremonies taking place and exploring the grounds. Worth seeing if you're in the area.
(30) Now, I understand that this place is sacred to the Hindu culture and religion and I can and do respect that. It holds great value to the Balinese but as a traveller it is was one of the most underwhelming sights I went to see in a 10 hr trip to see the top 5 places. It was a 2 hour drive that I cant say was worth it for me, but considering the reviews I am the odd one out. There is a cultural village that situated around the temple for you to walk around but it sells the same things that every other store sells. However, I took advantage of the pretty surrounding scenery and took some good photo's but not worth a 2 hour journey from Ubud.
(31) A MUST VISIT place in Bali, This place has a series of temples built at the edges of the cliffs !! and a temple built on a huge rock in the sea covered by waters, A nice view and must see place in Bali.
(32) Excellent views. Beautiful temple. Crowded in the evenings but not to be missed. Bali temples dont allow females who have their periods into the temple.
(33) Every time I go to Bali, this place is always on my visit list. The air is very fresh and cold, and the temples are always beautiful - standing gracefully on a foggy lake. It's actually a complex with few temples and each and every one of them is beautiful and very unique. The temple compound was pretty crowded but surely it's a must-see in Bali. I always feel some kind of peaceful feeling every time I visit this place but last time there were a group of people playing dangdut songs or something loudly on a tape and it really disturbed the quietness. It's a temple after all and a public place. People should be more respectful.\n\nP.S.: Bring your umbrella, it's almost always raining here (not constantly, but still I get rain in each and every of my visit to this place), bring your jacket, it's quite chilly.
(34) They say it is touristy, and it is. That being said, it is WORTH IT! This was my favorite temple in Bali. It's unique situation on the water, and having to wade through the water to go to the temple is cool. No sarong necessary, but a small donation to wash your face and drink the holy water and stop for a photo with the monk who blesses you is well worth it. The scenery is amazing, and there is a second temple nearby which is just as scenic and great for photo ops.\n\nThis is a great spot for photos, please be mindful of the tide charts when you go. Hide tide means you cannot go out to the temple, really... you can't go. I wore jean shorts (bad idea as they ended up getting soaked) I would wear something that is quick dry just in case. It's only a 30 minute ride from Canggu (echo beach) and you can tack on another temple to your journey if you are having a temple day.
(35) The temple itself is no big beal, but the whole area is lovely. There many little stores around where locals sell their souvenirs.
(36) It's worth to see.\n\nThe temple is a bit more expensive now than the others, because it's kind of \private\" now. The people of the town are gettin the money directly and not from the government. That's what our driver told us.\n\nIt's the most beautiful temple with the park around and a lot to see. It's worth it and a lot better than the other temple in my opinion."
(37) Is a must see of Bali..the position of the temple, right on a small island, not far from the shore, makes him a real gem of Bali.\nOur profesional guide and driver, Mr Sumadi, drove us there, teling us to not hurry, just enjoing the view and making picture..\n\nHe is very flexible and profesional so is why I recomand him for all that wants to feel tne real spirit of Bali..he is a driver, a guide and a wood carver for more than 20 years.\nThe temple landskape is the most nice that I ever seen ..have a look to the pictures. And do not hesitate to call Mr I Wayan Sumadi if you need a very good ride at very good prices..\n\n+62 81 338 344 925
(38) This Water temple is quite beautiful, with the wild see as it's background. \nHowever, you can only see it from the outside, and there are quite many tourists. You need to pay to enter the site, and locals try to sell you all sorts of things before you can get to the temple.
(39) I was really excited to go to this beautiful Hindu monument on the coast, especially because it has such an interesting legend. But I was disappointed to see how touristy it has become. IDR 60,000 just to get into the complex. Make your way past all of the usual food places and shop peddlers (that seem to dominate Bali), to get to the actual temple. The site is indeed breath-taking, but you can't actually go up to the temple. If the tide is low enough, you can make your way to the boulder the temple sits on, but that's as far as you go. The same goes for the other little structures in the complex. I guess I was expecting more for such a long and expensive trip to get there.
(40) Entering this sprawling temple by the lake and gardens, one can't help but marvel at the different points of interest that will occupy you for the better part of an hour.\n\nThe well-kept topiaries of animals, the slim towering trees that line up a walkway or form a circle that were just begging to be photographed, the super IG worthy dragons and temple by the lake, the cute animal sculptures that you can even ride (well, just small children please), the pretty manicured lawns, the unusual egg-shaped hut, the pocket rock garden that looked straight out of the Flintstones, several other temples that vary in design and sizes, the dainty flowers, the cute garden bridge, the colorful children's playground - and they even have a resto near the exit! \n\nSo many sights and not enough time to enjoy them all!\n\nVisit in the early morning as you need at least an hour (if you don't take a lot of pictures) to finish the entire area - and avoid the crowds. We went there in July, and by mid morning, the sun was beating hard on us. Don't forget to wear sunscreen!
(41) This legendary temple still has its own place in the heart of many tourists. But when you come in holidays/high season,it will be very, i mean really crowded.\nThe sunset is beautiful,and be sure to come before sunset so you won't miss it!
(42) A ancient temple with the specialty of a holy dip pool to clean the soul .. amazing experience. Do take the dip in the pool
(43) The uniqueness of this temple is that it is set in the sea. If you are lucky to visit it during the low tide then you can walk upto the temple. When we went there, it was high tide so we had to view the temple from far. The sea is gorgeous but rough. There were many surfers surfing in the background and it was fascinating to watch them. The area leading to the temple is highly commercialized. The temple is also super crowed with tourists. It is recommended to go to this place during the evening as the sunset is supposed to look beautiful from here, we however missed the view due to cloudy weather.
(44) Only seen Temple from oneside again not disability friendly lots of stairs but took some nice photos of the sunset overlooking the temple
(45) 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.\nWhen 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.\nBeware 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 \nmust visit place.
(46) I think I would expected more from this attraction. \nI found averything very turistic and not as spiritual as I thought, also the very center of the temple is not accessible. \nThe 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.
(47) It's a quite a long way to reach this temple, but its definitely worth an effort. Location of this temple is very impressive, right on a edge of a cliff with beautiful view over the ocean. Most of temple structures were closed for visit though.
(48) Nice place to visit and know Bali a little bit. You pay for it...not too much. The temple is beautiful. Lots of people but its ok. You can buy some souveniers on the way and take a photo with a huge snake. I do not recommend in rainning times otherwise you wont be able to reach the temple. Nice place to take pictures at sunset.
(49) This place is very unique. During low tide you can walk over to the temple on the sea. However we visited during the high tide in order to avoid the crowd so we did not get to go over to the temple. It is still crowded even it is not during sunset hour. Nice to walk around and enjoying the iconic view.
(50) Especially during sunsets, this place is full of tourists. No entry to the temple. Nice place but not great.
(51) You may find hundreds of temples in Bali but this is one of the nicest weve seen. \nThe best is to arrive a half an hour before sunset to catch a good place to see.
(52) We drove our motorbike from Nusa dua. Took us about 30 minutes. Parking cost us 2000 rupiah. Entrance was 20000. \nWe couldn't go into the temple itself, but the view was amazing. Worth the trip.
(53) 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.
(54) Took a very long ride up the mountain to see this temple because we have never been up there after so many trips to Bali. Remember this is an active temple so you really don't get to go inside like most major temples. The picturesque piece is located on the lake, one really can only see from afar. Indeed it's well taken care of. \n\nThe water and landscape offers some sense of peace, but it's very touristy. The park is well kept, but the odd/unusual animal sculpture do not seem to fit in. It's borderline tacky. \n\nNot sure if the long ride up and back was worth it to see just the temple. Perhaps if you are not rushed with an itinerary, staying up there to enjoy the lake and nature might be worth it.
(55) The Temples in Bali are amazingly wonderful. It was my original reason for flying to Bali. The Hindu family were my hosts for the 15 days I was there. The \nAgung family was very hospitable, friendly, and have beautiful Air-B-B's ready for one or two. Nice breakfast each morning. If you go to Bali you must go to Tagallang and find Lendy. He is the young man that cares for the small temple that overlooks the rice terraces. He is has the best jungle excursions on your trip.\nTell him Brad says hello!\nNo appropriate date below. I was there in January/February 2016
(56) If you want to walk to the temple, be here in the late afternoon or evening because it low tide at this period. In my opinion, visit in the morning is much more pleasent, you will see the temple surrounded by water, like it is float.
(57) When i came here, they held the yearly traditional ceremony and it was very crowded but the view about the temple, sea also the ceremony was awesome.
(58) The temple is beautiful in the architecture and ofcourse the location. I was staying in Nusa Dua, so it was a bit far, but totally worth the trip. The blue Indian Ocean and the temple at the edge of the cliff overhand looks kind of mesmerizing. The second temple which can be reached only if the tide is low can be seen from the cliff and you need to be lucky to be there during low tide. \n\nHowever, unlike the temples in India or elsewhere, you cannot enter these temples. All the entryways were closed to the inside of the temples. Hence its only worth seeing the gorgeous architecture. The place is also kept very neat and clean...which was great... all the tourists were following the signs and obeying them.\n\nReally would recommend a trip to anyone in Bali.
(59) We stopped at this temple which is one of the popular temples. It sits along the shore of a lake with rolling hills in background. The temperature was little cooler up there than in Ubud where was warmer but it could have been because it was cloudy and rainy in the mountain that day.
(60) I last visited this temple 17 years ago before it was the tourist trap that it has become today. The temple is now located within a sort of \theme park\" that you have to pay to get into - we were charged 90,000 odd for 2 adults and 2 children. It started to rain, there were plastic structures / animals which was really tacky, hordes of people and we left within 10 minutes. The tourist restaurant which our driver took us to was an over-priced buffet - total dump. A really disappointing visit. You are much better off going to the Botanic Gardens nearby which actually is serene and not so commercialised."

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) Great view and an amazing temple. There are many shops nearby to eat at and they have great view of the temple.
(2) 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.
(3) Temple is beautiful as it's on the sea, but extremely overcrowded, very expensive entrance, full of shops, overpriced restaurants...what makes it not original at all from my point of view. I wouldn't recommend it
(4) This is a site that offers a a great sight in Bali. More touristy than I envisioned. The photos did not prepare me for the tourist shops that must be passed to reach the temples. Friends that we traveled with told me that 25 years ago it was more serene.\n\nStill, this is a great stop on our Bali trip. It is chaotic and a long drive and I recommend that a driver be hired to visit the temples. We had lunch at one of the restaurants overlooking the temples. This provided a respite from the crowds.
(5) With the lake and the mountains opposite this temple complex has a beautiful setting. When we visited the gardens were in full flower. Well worth visiting.
(6) The location of the temple is awesome. The view is amazing. As it is located on the sea shore it looks amazing. Viewing the sea and the waves is such an awesome experience. We are not allowed to enter into the main temple, but only to view it from far. I would recommend this place as a must visit place in Bali
(7) How they built these temples in those days?\nIt is always mesmerizing to appreciate such skilled workmanship.The folks those days took this to worship The almighty is something only faith could support and lead.Enjoy the natural beauty with the spice of waves from Indian Ocean giving it a magical touch.
(8) Words can't really describe the beauty of this place.\nThere is so much to see around. The widespread lake, beautiful mountains, traditional temples, a small garden and all so well maintained!\nNot everyone can enter the temple. But tourists can enjoy the beauty of this place.\nThis place is meant for photographers. So much to click around. We got maximum photographs at this place.
(9) Ok so u get some decent sunset views from here.. Which imo was just ok. The temple itself is nothing much to look at. Visit if you are in the area, but dont bother making much extra effort.
(10) Famous temple in Bali. Worth seeing if a first timer to Bali. Markets with cheap clothing etc.Walk up the hill on southern side for a great overview of temple.
(11) Hey Traveler,\nI am glad you have shortlisted Bali as your vacation destination(or are into the process), but it will be a good decision if its going to be your maiden visit in this country.\n\nComing Back ...to..\Ulun Danu Temple\"..its Pristine beauty will behold you.\nThe Backdrop of the temple compound itself is so mesmerizing that you would find yourselves in awe at the sheer magnificence of this place. \nA Lake, A Mountain, The Clouds & The Temple...All in a place, this refreshes you, your mood.\n\nIdeal time to visit would be in the low monsoon seasons. \nClear skies without the sun, adds volumes to its beauty. Dawn & Dusk - Good times.\n\nTry taking a tour by a speed boat on the lake, it will be worthwhile.\n\nDo Take Pics of this Post Card Landscape. \n \nTip: Carry an umbrella, Try Late afternoon visits, Try off seasons as this place is beautiful when there are fewer crowds."
(12) Extremely beautiful gardens and temple very busy but well worth stopping and having a look, great photos opportunities.\nOverall happy with our visit
(13) If this temple looks familiar... you are right. It's the temple feature on the 50,000Rp currency note. Is it nice ? Yes. Does it justify a visit ? Of course. \nOne of the things many visitors tried to do is to fold the 50,000Rp bank note and try to align the temple printed on the folded half with the temple on site.. well, i guessed if it's nice and something you like to do...why not ?\nNice stroll around the lake and enjoy the scenery. There are trees with trumpet-shaped flowers so you might to take note. There's also an enclosure with couple of deers (which I hope they will be released as it does not help in overall attraction, at all) The venue is nice enough without the need for the captive deers..\nLots of on-site local photographers to shoot pics of you for a fee. (of course, they stayed away from me looking at my full DSLR system) .\nThere's also a diner (buffet style) near the exit area and some shops (non-aggressive sales staff, thanks god) selling local souvenirs, snacks and drink. \nStandby small changes as fee is required for the toilet..
(14) I was surprised at how many stores were sprawled until right before the \split gate\" entrance to the temple. It felt like a market. Parking 5000 IDR/vehicle. Entrance fee is 120,000 IDR/person + toilets costs anywhere from 3000 IDR to 5000 IDR/person, depending on which one you find."
(15) Whether the Temple will be surrounded by water depends on when you visit. It is interesting to view from many angles when it is dry enough to walk around below the base.
(16) Crowdy place, expensive entrance (50 thnd idr) and really nothing inside. The temple itself is ok, but due to a crowd of tourists you have no chance to feel the place. Avoid it, just don't go there.
(17) We visited this temple on our way to Lovina on the first half of the day. Very beautiful, calm and relaxing place to visit. We were lucky to run on the daily offering as well. Saw the procession too and had a lunch in a buffet restaurant nearby.
(18) The temple is on the sea side, good view. Need to pay Entrance Fee (about IDR 15,000 per adult) and parking fee for vehicles (generally 2000 to 5000 IDR).\n\nCould be very crowded during vacation times. Attracts lots of tourist.
(19) This temple is a good place but not a must visit in Bali. This temple can only be visited during low tide (if you want to go around it) and the best thing to do here is to watch the sunset.
(20) Iconic, a picture perfect temple. Again, lots of tourists and vendors what made a holy site look like another tourist attraction. Still glad that we visited it.
(21) a realy beautiful temple. \n\nwe had rain and fog. but there were so many insta-tourists who blocked one of the beautiful gates. \ni dont want to know how it is over there with good weather!\n\nmaybe they should regulate the time for each person or only allow 2-3 pictures per person.
(22) No doubt that this place is a popular attraction in Bali. It has a lot to offer in terms of an amazing view, cultural history, religious discoveries, local market shopping & Bali street food right from the local shops that offer you authentic taste & not something made to suite your taste buds.\nLike all other temples in Bali, non Balinese people are not allowed to enter the temple itself & can only be viewed from a distance. The landscape reminded me of Durdledoor (UK) but it indeed is pretty. I did not visit the inside of the Holy Snake Cave but I did explore the local market & enjoyed coconut water, corn cob & mango chaat with Balinese spicy chutney on it. I was lucky that I witnessed the prayers going on in the temple area & still worth to sit & watch how these people ceremoniously celebrate their faith. Hindu tradition that is quite different from where it originates (India). Enjoy clicking the photos & the road side paddy fields on the way.
(23) We were lucky to visit the temple with the local guide Gusti from Bali Nature Travels on day before Nyeti - Balinese New Year. Everybody prepared for ceremonies and we learned about culture. This temple is one of the sacred temples - each of them is special - this one is small but beautiful over the sea and worth to see. Gusti drove us a nice way on small Roads in the hills from Ubut. It is better to avoid main roads to see the beautiful nature.
(24) The temple is a good thing, but the best thing is the view from the cliff, spectacular, breathe taking.
(25) I thought we could go to the actual temple but we couldn't. Just viewed it from afar. It's an hour from Intercontinental Jimbaran.
(26) We really don't understand why people rate this temple with four stars on Tripadvisor. We think it is barely worth two stars. \nWe came to this place expecting a beautiful temple in a serene and tranquil lake setting. An expectation that was inspired by the many pretty pictures on the internet. \nWhat you don't see on these photos is that this temple is set in a theme park. There are statues of turtles, tigers and owls all over the place, masses of people armed with selfie sticks and roaring speedboats with shouting tourists passing by on the lake. To us it seemed like Disney Land. There is nothing serene or tranquil to be found here. \nOnly visit this temple if it is on your route to another destination. It's a good place to stretch your legs and see something while you're having a break. Otherwise just go to another, more impressive temple. This one is really not worth the long drive.
(27) We had seen several other cool temples before we headed to this one. It took us 2:30 hours to get there and 3 hours back to Ubud. Everything is further than you think and there's tons of traffic all the time, so keep that in mind when you spend half your day going here. I honestly thought it was just another temple and not any more special. We stayed for maybe 5 minutes. I would have not gone if I knew this before and will tell all of my friends that it is not worth it. Yes, it's a pretty temple, but it's not worth it. If you do go though, if you're an animal person, there is a guy that hangs out there that has some pretty exotic animals you can pay to take pics with.
(28) This is a really nice area and the temple offers beautiful views which are well worth seeing. One of the should see places in Bali
(29) When I arrived here, I thought - this is what I think of when I think of a Balinese temple. I was so excited. It was a beautiful place and very quiet. I loved it. \n\nA definite must see for those who enjoy temples.
(30) Firstly the temple is very small. And has to be viewed from outside from far. Can't go inside. Not worth the taxi cost and ticket cost at all. Better places to see sunset for free.
(31) interesting and must see temple. leading up to it are numerous souvenir shops-lined narrow streets. bargaining is a must.\nthere are also some eateries
(32) Founded in the 17th century, this is a very important temple to the Balinese people. Situated beside lake Beretan, the view is awesome. The mountain served as a back drop to these multi tiered temple. It was a cool afternoon when we were there, as dark clouds hovered above the sky. Different kind of boats are for rent if one would like to go around the lake. \nThe temple is separated from the mainland but just a stone throw away. It was built on an Island surrounded with water thus it seems it is floating on the water. Avoid weekends & local holidays for definitely it will be crowded.
(33) One of the most beautiful location of bali, most of you guys see the pics of the door with background of Mountains and Clouds, Pics Attached, some people named it Heaven's door. believe me, its look like heavens door only. breathe taking views, its in the lap of nature in hills, there are 2 part kf this temple, one is this(In Pics). other is little higher thn this, but lower is more beautifull than upper, upper is forest, if u love forest and nature u can trekk there. I choose this place, there is huge line for the photograph, local people clicking the pictures of everyone with mirror effect in mobile clicks, they dnt ask for money its all up to u, they only click pictures. I have time lapse too for both location, besides this door there ks 3 temple, but u can't go inside for aight seeing or clicking pictures, they only allow people who wants to pray. if u love to pray or meditation u can go inside.
(34) I was really looking forward to seeing temples in Bali. Yes, there are monkeys and they will pinch glasses etc quicker than you realise - we lost glasses but got them back eventually. Yes, you need a sarong and will be covered at the entrance. Yes, there are locals there offering to be your guide for a price - your call but you dont need this service. \nThis place was packed with people for the sunset!. Unbelievable how the temple locations are so busy with people during this time of the day. Unbelievable how people have a complete disregard for their own safety, taking selfie pics out of the ledges that clearly say \Don't go pass this point\". There can be a bit of shuffling around people as there are so many here. We missed out on the dance - opted to not go in as it became standing room and they were squishing people in. \nIt is quite a big area and it more than likely would have been more pleasant to have gone earlier in the day, maybe had a snack outside the entry, casual browse thru the handful of market sales and taken our time to see before the throngs of people started turning up - thus giving us ample time to get a seat for the dance. \nMid afternoon arrival as opposed to 5pm for 6pm dance would have been more enjoyable to view the grounds and temples. Everyone seemed more interested in the sunset."
(35) It was awesome especially the environment that they were in with conservation area, the dragon bridge and the temples. We visited it twice on our trip.
(36) The view is breathtaking. Even the view of the temple at high tide. It was crowded early in the morning. Sunset is crowded. You have to get through an avenue of tourist shops offering all the usual Bali products. There is even a couple of snakes on offer for a photo opportunity.
(37) This temple view if awesome and incredible. \n\nThe waves of Indian Ocean hitting the shores is worth a watch. .one of the best places to see sunset in Bali..\n\nOne has to walk for 10 minutes from.parking to reach the place..\n\nThere's place for holy spring and water that are given by local folks near the temple..which are considered auspicious .\n\nOverall to be checked in one's Bali trip.
(38) A must place to visit if you are planning to go to Bali.. weather was awesome...most romantic place...Its a temple of LORD VARUNA..
(39) Cool place to relax. If with kids try feeding fishes. Beautiful statues of Hindu gods and goddesses around the big fountain.
(40) This is probably one of the most famous temple in Bali that it was even printed in the rupiah bill. The temple looks very nice and peaceful. With the lake and the mountains behind it make scenery even more spectacular. The pictures taken here look like those of the postcards. \n\nRecommended for first visitors.
(41) At the base of mountains on the edge of the lake, this temple was bustling with activities. beautiful structures, shines pagoda's. The ceremonies we saw were serene and spiritual. Great place to go.
(42) Definitely worth the trip out there to see the temple and take in the show afterwards at sunset. Beautiful spot to see the sunset. Note that it is a Hindu, not Buddhist temple.
(43) The most amazing, must see temple in Bali...Go at sunset on a clear day as it truly is beautiful! A very special feeling when you are close to the temple, can't explain it!!
(44) Hidden gem in Bali. A must place to visit if you want to see sunset. Also there is a fresh water source at the temple
(45) Built on the water, it's the most distinctive temple in Bali. You may find the view on the back of 50,000 IDR note. It's perfect for photo.
(46) Gorgeous setting, but go with a guide as you need the colour commentary for it to all make sense as you can't climb around the temple itself
(47) Seeing sunset and walking around with your soulmate is such a lovely romantic moment! Also saw local people in traditional clothes making regional rituals, you can practice too, chariting money, use holy water on your face and they give u flower, men and women use traditionally then u can climb the hill to see all around. If u don't scare you can see holy snake after donation but we didn't even try it :)
(48) The temple is quite nice but the price is very high compared to other temples in Bali. The Park where it is located is also really confusing and doesnt fit to the entire atmosphere. After the Entryfee you also have to pay for the toilets and the parking… in this case just 2/5
(49) I recommend you to attend close to 6 pm as they have this nice ceremony every day, and you can also see the sunset. \n\nAlthough the temple looks semi-abandoned, they still practice ceremonies and services. And the view from the cliff is quite impressive.
(50) We hired a driver for the day from Ubud and stopped here first and then the Jatiluwih Rice Terraces. In hindsight it was a long time in the car and i would have just done the rice terraces as they were stunning and i wish we had had more time there. \nThis temple is very pretty, but i wasn't blown away by it, its very busy with tourists and there are more impressive sights around Bali i think!
(51) Lovely temple which is on a separate rock...place is huge and lots of tourists you will find here...the place is serene and I loved to sit here watching the ocean...
(52) The temple it self is small and build on a small rock. You're not allowed to go up the rock or inside the temple since its still in use. When its low tide you can walk close up to it for some pictures or get \blessed\" along with a million other tourists for a small donation. I enjoyed the ocean smashing against the rocks more than the temple it self. \nEntrance fee may 2017 was 60k per person. Motorbike parking was only 2k."
(53) Extremely beautiful place with shopping at the streets and in small shops. We did very little shopping from there in the hope that well go for shopping some other time. Whatever we asked from the shops were quite cheaper than other. The temple is just near the sea with a wonderful sight seeing. We went at the time of sunset and that day was cloudy so was very cool 😎 with the blackish color of the temples and everything.
(54) This temple offers adventure and beauty - all in one place. When we reached, the tide was high but we could find our way to the temple through the waters - beautiful place to spend couple of hours
(55) The temple is set amidst stunning sea views\n\nBeware the sea is very rough here...exercise caution in not venturing too close to the cliff...there are warnings but not enough safety reinforcements\n\nYou get good souvenirs here
(56) Came here on holidays when it was at its hottest so very humid and sunny. Prepare yourself for a fair trek if you walk in from the bottom end. Views were really nice got some great pictures of the cliffs and temple
(57) Sorry to say its an Instagram place and the image is just fabricated with mirror\nDrive towards the temple is beautiful I saw the volcanic mountains
(58) Tamar lot temple was a must go spot in traditional tours. Thats why its always crowded. The best time to visit is dusk.
(59) This is one of those 'must see' places. It's pretty neat to see history, and the location of it is dramatic with the waves crashing into the sides. It took us less than an hour to stroll down and view all the temples and take tons of photos and bargain with some of the vendor. It was worth the visit. Note that you cannot actually go into the temples. Also there isn't a lot of shade, so it might be best to avoid mid-day timings.
(60) Superb temple in bali. Located at Highland of Bali, so the environment was so cold and refreshing. I suggest all of you visit this temple in the morning to get perfect photo shot.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) Perhaps the most peacefull place in the world. There is here a special atmosphere and, if you are lucky, you'll visit this temple during a ceremony and...please respect and enjoy it!
(2) It is a beautiful temple located on a cliff with beautiful cliff and ocean views. During low tide you can walk on the sea bed around the temple, but can't go up the steps or in the temple if you are not from Bali. There are a lot of tourists and place is very crowded. The \holy snake\" an albino snake in a hole in the sand is nothing special (expect to pay for the privilege of seeing the snake). There are a lot of shops catering to tourists around the parking lot."
(3) This temple is located on the ocean, there are two smaller temples as well within walking distance. Breathtaking views, and the local market is the cheapest and has the best bargains in all of Bali. One of the highlights of our trip!
(4) Though you really don't get to see inside the temple, the scenery is breathtaking here. We visited when flowering trees took over the landscape beyond too. Take some time to enjoy that view, in spite of the crowds. We know people come here for sunset, but we preferred to just visit during daylight. As everyone else has already said- there are monkeys and they take stuff. We saw one take some glasses and one of the people who work here chased it to try to retrieve it without luck.
(5) The location makes this one a little special so if looking to see a temple this has to be top of the list.
(6) Beautiful area with lovely views of the island temple. You cannot travel across but there is a lot of action going on there\n\nThere is a market which is well worth a walk around. We found the cheapest prices in Bali here.
(7) The temple is beautiful but offers very little difference from the other temples around the city. Parts were blocked off because they were solely for worshipers.\nThe view of the sunset and seaside however, were stunning! Simply gorgeous.... I would visit again but only for the view if the sun kissing the sea.
(8) Saw this temple during a long weekend vacation in Bali. It took a while to drive up here, but it was definitely worth it. The floating towers in the water are sublime, and the artistry of the temple's other elements such as its statues and large gates is also wonderful. The landscaping is excellent as well.\n\nThe restaurant/buffet isn't great, but it's serviceable for a quick meal before getting back on the road.\n\nDefinitely recommended!
(9) one of the most popular tourist attractions in Bali, I visited here earlier this year. the first time I arrived at this place I saw a very wide parking lot, after that we walked in and were welcomed with shops that sell the typical Balinese souvenirs, after passing through the shops we will meet the steps to go down to the beach and it turns out that the scenery is beautiful once with a temple on a big rock that is right on the beach. I arrived in the afternoon so the sea water had been installed so we could not enter the temple. I think it's better to come during the day if you want to enter the temple. but here is also a good place to enjoy the sunset when the weather supports.
(10) A must when in Bali. It is a little far around 40 minute drive with the traffic, but as I said it is a must. Beautiful, amazing view. to get there you have to walk through many local market shops ( very cheap) before you see the temple. It was a little crowded but still you can enjoy the view and take an unforgettable picture.
(11) The time to visit this is definitely near sunset time. The location is breathtaking . The waves crashing against the temple hill is a sight to behold. It is a short walk to the temple.
(12) 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.
(13) The place is very very beautiful. But always crowded. Not much of a walk. So anyone can go there. You have to go down to the Temple and beach also. But you cannot enter the Temple. Best time would be about 7 or 8 in the morning.
(14) You pay 50.000 per Person entrance. Additional you have to pay parking and toiletts, they just try to squeeze out every coin they can from the tourists. The temple is nice with the lake and the mountain in the background, but with all the tourists not enjoyable. Also besides the temple building, you can always see on the pictures, the complex is not nice at all. They have deer in cage and you can make pictures with a snake. What a terrible place. Not worth a visit.
(15) We arrived at the temple late morning, and surprisingly, it wasn't busy and we went straight in. All buildings are well decorated with gold and vibrant colours. Peaceful surroundings, cool breeze over the lake, It's a beautiful site and a superb temple.
(16) Came here for the sunset tour when it was raining, so I didn't get to see the nice sunset. The trail from above was nice and short. There's also a beach area access for people to go down and walk up to the temple.
(17) Very nice temple.Very scenic. It's a beautiful view to see the temple on the rock surrounded by the sea. After buying the entrance ticket we have to walk through a series of many shops to reach the temple. If you want to street shopping this is the place. You can complete your shopping in Bali here.There is lot of variety and prices are reasonable.You have to walk through ankle to knee deep water to reach the temple. You can go only to the base of the temple but not into the main temple which is on the top of the rock. You can go into the cave in the base take the blessing of the priests and take holy water. If you feel like you can give donation which is voluntary. There can be huge crowds at the sun set which offers most scenic view. If you want to avoid crowds go in the morning or at least couple of hours before sunset,Get a professional photo which is reasonably priced.
(18) Come prepared to spend a day here...usually done as half day trip...our taxi cost us 36 dollars. Round trip. It gives a/ c , comfort in the heat, and flexibility.\nShopping is much cheaper in tanur lot...I found myself buying ....as things were priced at 10.000 rupiah - 1 dollar. , \n\nThe site IIs beautiful , and temples are a treat to watch.\nIf you are a sea person find a restaurant With a view and spend some time wAtching the waves...drinks and food are reasonably priced compared to sanur, it is much cheaper. I had some great photography with the waves against the stones...simply superb. \n\nWind the day up with watching the sunset. \n\nRelatively crowded with plenty of tourists. Our driver was flexible, took us back via some shops and terraced fields...
(19) 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.
(20) A truly stunning setting for this unique old temple. Even in the rain this was a beautiful sight and had it not been such inclement weather we most definitely would have stayed longer to admire this beautiful place. Lovely coastline on either side of the temple make it a fantastic photo opportunity too. Negatives are that the place is incredibly busy, even in the rain, so you could find yourself in a queue, or a crowd instead of being able to find space to appreciate the really stunning setting. Well worth a visit.
(21) Well worth the drive up to the highlands of Bali. \nThe temple is located in a stunning location, right on the bank of a crater-lake. There is a park surrounding the temple, with statues and flowers. Because of the altitude, it is usually cooler here than the lowlands, a welcome escape from the heat for a day. \nYou can also find a bunch of restaurants in the area as well.
(22) If you come to Bali and not visit this place then your Bali tour will be incomplete. A beautiful place stone structure temple in the sea and can see beautiful the sunset from this place \nOnly thing you require to go into the temple is that you have to wear traditional attire, local people used to wear the same though they dont allow tourists in the temple unless you arent in traditional attire.
(23) Amazing.\nI believe this is the real tourism destination if you visiting Bali. Should come and see the beyond of the ambiance. \nTemple, ocean, and people's around very makes me feel great.\nThe photographer around the area also offering photo with temple's background.\nReally love
(24) This temple is worth visiting, it is a nice day trip, depending where you are staying from. You could also take a boat on the lake.
(25) This was the first sight we saw in Bali and it's magnificent. \n\nTechnically this is not a temple. It's a garden or a Taman. But that doesn't matter its a must see. \n\nDo try to go all around the sight and spend time here. It's so peaceful. Also the toilets here are free and quite an experience. :)
(26) We love temples and this one was so beautiful. We love the cool of the elevation at around 5500 feet. We saw plants growing that would not do well at lower elevations there and to our surprise they grow lots of Strawberries up in that elevation. Bali being very crowded and steamy hot, we found this place to be a nice cool oasis away from the teams of motor-scooters.
(27) During Sunset time we visited this temple which is at the top of hill & at the bank of Indian Ocean. The View was breathtaking which made the sunset moment so beautiful.
(28) Its a temple built on sea shore. When low tides you have to cross the sea.You may have to dip leg in water uptill waist. Great fun in beautiful scenery with cool sea breeze flowing.
(29) This temple is incredible, truly breathtaking.\nGo early in the morning to avoid the mid-day stifling heat! \nTry and go on a colder day to avoid heat exhaustion.
(30) Very cool temple out over the water, easy walk down through the market stalls to an amazing outlook at the temple on the rocks. Was low tide so we walked right out too it along with the other hundreds of visitors at the time. Very popular spot for sunset so get in early if you want a good viewing spot.
(31) This temple although not huge, is absolutely beautiful with manicured lawns and such a beautiful backdrop. Ideal place to get loads of photos and as it gets quite busy, you may have to wait awhile for the magic shot - but it is worth it. The restaurant there offers a buffet lunch, and even though it is not a huge variety, it is beautifully cooked and presented. Soup, main course and dessert. Love the black rice pudding with coconut milk - delicious. As it is in the mountain region, temperatures are cooler, so it really was magical.
(32) If you go to Bali this is one of those places you have to visit. For me it was kind of special because me and my friends went just 2 days before Niepy Day so it was crowded by locals dressed with they're ceremony suits making offer ends to the Gods and that creates a magical atmosphere. Also the Temple is so so beautiful because it s on the ocean but has sweet water and have trees on the Top. Great place to visit and the little shops near by are very cheap so it s also good for shopping. Try to feel the magic of it and enjoy
(33) This impressive and beautiful Balinese Hindu temple by the sea is definitely a great place for photography unfortunately we were there during high tide.\n\nWe walk around the viewing side which was pretty challenging as we had to jostle among selfie-stick tourist! \n\nDefinitely worth visiting this iconic site.
(34) Unique and amazing place that is must visit. Please get ready in shorts and flip flop if you plan to cross over to the temple. Sun block and shade is a must. Good place for photo. Don't worry, you have lots good point for photo. 😁
(35) Do yourself a favour and make the climb to the top of this ancient temple , for a truly breathtaking and inspiring view .\nIf you've been looking for the ultimate in ocean view scenery or just want to appreciate traditional Bali culture and art, you won't want to miss this !
(36) Such an impressive complex in a great setting on the shores of the lake. Because of the full moon there was lots going on in the temple and we were lucky enough to see beautiful ceremony (pity there are so many tourists)
(37) A truly stunning temple in the mountains of East Bali with a beautiful view of the surrounding area. The architecture is truly impressive, there is a lot of steps to get to the top, and almost no tourists. Apparently, there are a few more temples after the first one, but you would have to spend many hours and definitely get a local guide if you wish to venture further. It's certainly worth the visit if you are in East Bali.
(38) Awesome place . Interesting history . Worth the travelling. Make sure you know about the sea tides. High tides the temple will be closed . Also make you get a driver or cab to bring you to and fro.
(39) Maybe it was the timing of my visit, but I found this place overrated. Price is almost double--50,000--of most other temples in Bali. Packed with tour groups and school children. Temples were beautiful to see on the water, but surroundings felt too manicured and artificial. If you've done other temples already in Bali, give this one a pass.
(40) This is an exquisite water temple set on the banks of Lake Bratan (Beratan). It is nice to go there during high tide so that one can truly appreciate its beauty as a water temple. We went there when the tide was low but still the temple was photogenic. There are boats for hire and one can go boating in the lake. Since it is located on top of Mt. Catur, the visitors enjoy the cool and crisp mountain air. No need to wear sarong if one happens to be wearing short pants or short skirts when visiting this temple. Be that as it may, it would be respectful to wear appropriate temple attire when visiting this site and similar places.
(41) 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.
(42) A great spot to visit at Sunrise for some amazing shots of the water temple. The grounds are clean and in the morning it can be very quiet. Later in the day can be many people so avoid this if you come for the photograph.
(43) For me this was one of the most beautiful temples i visited in Bali. Set on a lake surrounded by mountains and greenery it was very serene and certainly worth the trip from Ubud.
(44) Went here in november this year, absolutely stunning, amazing views, beautiful old temple, unbelievable
(45) Very well visited temple just off shore. Picturesque with lots of great photo opportunities . Fair bit of walking and steps to get to it and lots of shops hawking tourist wares. Site is somewhat over run with tourists, luckily tourists can't actually access temple Still a good place to visit and is apparently stunning at sunset.
(46) This temple was beautiful, however tide was high and there was a backlog of people trying to be taken one by one by the locals that worked there. Would ahve been much more amazing in the sunshine.
(47) One of the best places in Bali. Temple where you can see the mesmerising scenarios. The design of the temple is just amazing. It will take some time to reach here from the Bali town. So try to start your journey just after breakfast. Some shops are there to buy local crafts(bargain please).
(48) It's a must see place around. A beautiful pagoda over the lake and other temple architecture such as the profane door and sacred door. A lot of people here.
(49) I was really looking forward to this visit as the photos are just magic (just like the ones we took), but in reality once you pass the ticket payment /parking area, you are disappointed due to the enormous amount of souvenirs shops ( with horrible tacky souvenirs) . The problem is that the commercial area is almost glued to the temple. )\nWorth the visit but don't expect that WOW feeling\ !"
(50) its one of those iconic temples - its pictures are always splashed in bali commericals etc so in that sense a must see. But the actual temple was not too large, the garden and lake are large but the temple building it self is smallish and not much to see. Also it is crowded (as can be expected) the mountain behind was wrapped in clouds/mist when we visited - visit it cause it is famous but there is not enough here to spend even an hour at this spot.
(51) One of the famous temples/spots on Bali I was expecting something spectaculair. But it was at best an average experience. The temple itself is defenitely not the most beautiful on Bali and the sunset itself is like all over Bali.
(52) This is well worth going to, its a local temple for local people to pay their respects, loved the whole thing that was going on when we were her. It was a bit of a festival, so we hired a driver and went the big drive up there, then the heavens opened, oh my the heavens opened.\n\nWas a bit of a damp tramp up the big steps her but as I said well worth it, we never went to the nest temple as it was well over an hour to get there but it was apperently more of the same.\n\nVery enjoyable and again, lovely people.
(53) Really nice place to visit. Even though there is a temple you dont need to wear a Sarong when entering.\nThe entry fee is 3000 Rupiah which is around £1.65 roughly.\nDefinitely a great place to take pics. I went there around 8am and it was really quiet so took my time with pictures. There is also a boat in there which you can hire and it costs20000 rupiah and that is about £1 for three rides around their lake. I would definitely recommend.
(54) This temple on the cliff is considered one of the sacred places in Bali. It was such a sight to see miles of untouched cliff area around the temple
(55) A touristy place, at tide this unique temple on a tiny island is separated from the main land. You can cross the water to visit at certain times of the day. Usually visitors will seat in some basic, open air cafes along the beach across the temple. You can watch great sunset from these cafes. Lot of souvenirs shop and there is also traditional dance performance but not as spectacular as in Uluwatu.
(56) Very nice temple on a rock. Go at sunset for the nicest views and pictures. Can get very crowded. At low tide you can visit the holy water fountain.
(57) The temple is known from many pictures put of tour guides, internet etc.\n\nThe only thing special about is that a part stands in the water.\nAt the moment not even that is the case. The water level of the lake is to low.\n\nIf you're around ok to see but don't spend to much time getting there.\n\nWe've been there aroun 9 am and there were not so many people.
(58) The temple is up the hill. Not a lot of stairs, you can easily climb. A loot of monkeys so be careful or they'' snatch your stuff. You need to wear a sarong to go there. available for free outside. You can skip the kechak dance unless really really interested. The sunset views from here are breathtaking. Lot of photo ops. A must visit.
(59) This is place is very beautiful the location in high ground so very cold when rainy...but temple is so great.\nWe go here with family and lucky to see the praying ceremony in bali...great temple in nice location👍
(60) The best view is at sunset from the cliff on the right side. Lots of people though, so be early. At evening when I visited ther was a low tide, so Temple was not surounded by sea.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) Its a must go place in bali when you are into this religious temple visit. Its a very beautiful temple above the lake. To go here also easy. Most of travel goes here. And afterwards you also can enjoy the local food of rabbit satay.
(2) One of the most beautiful places in the world (although that can be said about practically everywhere in Bali). Even without the temple and the grounds, the seaside landscape is gorgeous. But the temple is the kind of architecture that makes the landscape look like it was created specifically for the temple to be there!\n\nFind out in advance what the tide schedule is. At low tide you can wade across (with the help of guides) 15 or 20 feet to the tiny island the temple is on. Unfortunately, I spent too long exploring the grounds on the mainland and got there just as the last visitors were returning and no more visitors could go across. But it was still worth it, because it was so beautiful.
(3) Such a unique and beautiful temple right on lake Beratan. Lots of surrounding garden area to see and explore. Quieter in the morning and pretty busy in the afternoon. Well worth the visit when in Bali
(4) A must see. Extraordinary coastline with amazing ocean views. One of the oldest temples on the island. Although you can't really walk through the temple, it's still very special just to be there and walk along the paths and observe the main temple from along the path. It's also a good idea to go early before 9am if you're traveling with younger children. Beat the crowds and the heat.
(5) What a stunning view to see temple which located on top of rock and surrounded by the beach. Would be perfect if I came here to see sunset but unfortunately I already booked table at Jimbaran. Next trip must come to see sunset here and hope not too crowded.
(6) The visit was nice but the temple is not so amazing compared to other balinese temples. There are monkeys so be careful with your belongings. The sunset is amazing. For 100000 rupiahs per person, you can attend a balinese dance show. It is one thing to be done.
(7) Well worth the trip and the traffic, this Temple is as dramatic as it is beautiful. At full tide it is cut off from the world and slammed with in forgiving waves. At low tide you can venture out to the island (by foot) and get a closer look.
(8) This is a beautiful temple surrounded by sea waters and can be accessed only during low tides. Located at a picturesque location, this temple is one of its own kind. The temple is only opened for ceremonies or for praying and tourists can only visit it from outside. One would require sarong for visiting this temple.
(9) I was really disappointed from this \tourist attraction\" There is nothing else but the quite small garden, where are pools with fishes and some statues. There is no temple and nothing what is worth of the entry fee 30,000 Rp."
(10) Gorgeous view of the temple at the edge of the cliff. The stop and go traffic to get to and from the temple can make the drive take 3 to 4 times what you might expect.
(11) Very fascinating settings and tranquil hidden garden-lake spots in this temple. For those that say this temple is overrated, they have not explored enough. This temple has many pretty photo opportunities, you've just got to find them. It was worth the visit and long trip out - the scenery along the roads going to the temple is beautiful which we could get out of the car and admire anytime we wanted.
(12) This is the iconic must see temple in Bali. It's built on a cliff in the ocean and most tourists come here for the sunset. \nThe temple is not especially overwhelming but come here anyway as it's one of those temples that you just need to see in Bali at least once.
(13) This place is a must visit in Bali .. views are awesome and good for photographer to click some shot nearby.\nAfter going through details of some routes decided for this one. In Bali there are fixed routes in which taxi will take you to show the sightseeing. either you can choose this route to cover Bartan temple, Jatiluwih rice terrace, taman ayun and Tanahlot or you can visit ubud and mount batur.Our Driver cum guide helped lot during trip took our photos and didn't bother about time and shown every place without hurry ... his number is 081237775730.\nSharing some shots taken.
(14) This temple is featured on the 50,000 rupee bill. It is a famous temple on Bali. I thought it was fine but it happened to be a rainy and gray day for most of our visit so I didn't see it at its best but in between the rain it looked nice. You can't actually go inside or anything, it is just something to see. There is an admission charge and some shops outside of the temple area. There were a lot of tourists when we went. I'm sure on a better weather day it is a more peaceful, beautiful visit but our experience was a little bit of a let down. It was a few hours for us to reach this temple from the south and now after having visited, I don't think it is necessary to visit if you're not in the area already. There are a lot of temples in Bali and I don't think this one stood out all that much, besides it being a lake side temple.
(15) One of the best temples we've visited so far in Bali. Right next to the lake. Very peaceful and quiet. And when we went yesterday, it was too not crowded at all. Definitely worth going there.
(16) The teple is situated in an edge of a clip and has a wast histroy about the same.The side walk near the temple reminds the great china wall and it seems that they have copy the same.
(17) This place is very nice, but the main attraction is the sunset dance ritual. Make sure to get a seat in the center of the stadium, this will get you the best view. At the stadium you will see an entry way that all the seats are facing, this is what is the best view point.
(18) Very beautiful scenary with a large space to walk and enjoy the beauty of the temple, as it is surrounded by the lake and with awesome views of mountains, Worth a visit.
(19) Of all the beautiful temples in Bali this has to be the plainest and the most crowded! The place gets packed especially late afternoon before the fire dance. Also beware theres only one crowded road to return along and by 7pm its gridlocked. Took over 2 hrs to get back to Sanur. \nId avoid.
(20) If you are exploring the island of Bali, then this scenic temple is a MUST SEE!!!! The location is absolutely stunning. The temple is located by the Beratan lake and the mountain. \n\nThis temple is dedicated to worshiping Hindu Gods Brahma - Vishnu - Shiva as well as the lake Goddess Danu.\n\nThe serene environment of the temple is perfect to walk around and the picturesque surroundings are perfect for photography.\n\nWe have seen many temples but with the mesmerizing views of this temple, this one is our favorite Balinese temple. \n\nAdvise to fellow travellers, DON'T MISS THIS TEMPLE!!!
(21) Despite low tide (which we tried to avoid but couldn't find any answers about when the tide would rise), the temple was still really beautiful. It was also pretty cloudy and had rained all morning, but we still found the temple to be stunning. It's worth visiting and is a nice break from the hot weather down in Ubud and Kuta! It's a bit of a drive but definitely worth it.
(22) it was so beautiful there, it is a must see!\nyou really feel the peace and harmony.\nIt is a turistic place but not as much as the temples near Ubud.\ndon't forget to buy fish food to get the full experience!\nyou can also wash yourself in the springs, but I think it is on an extra cost.
(23) One of the most beautiful temples in Bali is here. This temple is located by the lake and surrounded by forested mountains.I think there is a temple in heaven! We boarded a small wooden boat and took close-up photos with the temple. Of course, do not worry, there are photographers who take photos of you and print them for a small fee.After that we boarded another type of boat and went to the middle of the lake. The whole space was covered with fog. It was an unforgettable experience for us.Be sure to buy wild strawberries on the way from local vendors, it tastes dreamy!
(24) Again my review is on surroundings of temple as one cannot go inside temples in Bali.\n\nThis temple is at the shore of beach and have some very interesting sights around it.\n\nWe had fabulous time around specially the place were big waves explode with rocks and you get shower and also experienced one of the deadliest snake in Indonesia.
(25) We really wanted to see this temple due to the photographs we had seen before going. It is an amazing location, but if you've seen any photos of it, you needn't visit the place. Understanably, the actual temple is closed off to the public so people can worship. This means that you cant get any closer than anyone else's photos. We spent about 20 minutes there, and that was mainly due to walking along the cliff top. We were a bit disappointed really.
(26) It is the best place one should never miss in Bali. Temple with great landscapes and stunning views. A place that everyone will definitely enjoy, the climate there is cool and suggested to take warm clothes for kids only
(27) Go to the toilet before going to Tenah Lot! I made the terrible mistake of thinking I could go there. There were heaps of toilets that you had to pay to use, but were absolutely filthy. Squat toilets with no toilet paper or bidet, just a bucket and cup to wash yourself. I finally found one after trying heaps that was acceptable. It was near the coffee Luwak cafe.\nThis was one of three temples we saw in Bali. It was by far the busiest, so many tourists that it made taking photos and such difficult. We also stood in line for a while to get holy water and a sarong to go up into the temple, only to realise that we could only go 5 meters up the steps because it was closed off for only people praying.\nHowever it was beautiful and I God many photos of the sunset. Still worth a visit :)
(28) This is one of the must visit places in Bali and Sunny day is the best time to visit this temple to appreciate the beauty of it. Although, tourists are not allowed inside this temple, the view from outside itself is very good. The breath of fresh air makes you rejuvenated. Do visit the restaurant near the temple to enjoy the view of temple and have some good lunch. Try to avoid buying any things here, for that matter anywhere in Bali, as they are of poor quality.
(29) This is not a temple that you actually get to enter, or get even close to in fact. We went here as part off a day tour with our private driver. \n\nThis temple is along the west coast of the island, and can get very hot/humid. This is a definite must see when visiting Bali.
(30) Getting to the lake from the Ubud area is about a two hour drive depending on traffic...so this is a trip you need to plan ahead. The grounds are quite large even though the temple tower you seen in all the photos is quite small....and you cannot get to it.\n\nThe lake is high up in what was originally a volcano so the temperature here is about 8 to 10 degrees cooler than the beach areas of Bali....a nice change for those use to cooler climates.\n\nThere are many photo opportunities here and many places to just sit and relax. Even though it is a very popular tourist destination, away from the temple lakeshore, there is peace and quiet.
(31) Visited as our last stop at the end of a day long tour of Bali. It's a busy complex with lots of fellow tourists ,plenty of eateries and tourist traps but most importantly has 2 temples to visit and a multitude of photo opportunities with a stunning ocean backdrop.\nWear sensible shoes as there is a fair walk and to get the best impression of the temple you need to walk across rocks slippery with seaweed. We were treated to a stunning sunset which capped off a wonderful day of sightseeing
(32) We visited the Floating Temple as part of our day tour with Silas Tours - it sits on Lake Beratan, it was a long day but this was one of the highlights. It is spectacular- a peaceful area, lots of good photo opportunities! Probably worth visiting as part of a tour you can visit the Rice fields first and then head to the mountains to the lake and the temple
(33) Worth a visit especially if it is part of a tour with other places. Beautiful and unique temple. Scenery and views are nice. Should go during the early morning when the crowd is less.
(34) The temple and its surrounds are just beautiful, the walk to the temple through the stalls is a bit of a pain, but well worth the effort. Plenty of \photo opportunities\" with the stunning temple and coastal views."
(35) Lovely well kept temple and gardens with some great sights onto the lake Danau Beratan\nTake some change for the toilets.
(36) This temple is cut into a sea cliff and is only accessible at low tide. Flowers flow down towards the ground from the cliff and the ocean spray wets your face. See the temple up close from the rocks, look at it from the grassy hill or look out. If you are brave enough you can even hold a huge Python. Market stalls line the footpath so you can grab some bargains. See the black and White Sea snake that is believed to protect the temple and watch people line up to go into the temple to pray. Plenty of photo opportunities.
(37) Good temple around the sea, recommended place for every one\nBeautifull inside with the holy snake that you can touch
(38) Parts of the temple are beautiful, especially when combined with views of the lake and mountains. Parts are effectively a city park, with colorful cartoon animals in concrete and a little fishing pond.
(39) Very beautiful temple though we weren't allowed inside. The view from the temple is quite breathtaking!
(40) The temple grounds are divided into three smaller temples, each offering a different view of the temple. Each part was as stunning as the other, offering great scenic views, great for photography! Walking in the sand and watching the waves crash were fun both for kids and for the adults. I usually don't like very crowded places but this was something else. Definitely a must-see for anyone who goes to Bali.
(41) This is the iconic place in bali, this is a holy place for the bali people and they so respect to this. Best time to visit here is in the evening, then you can see the sunset. Tourists are not allowed to go inside the temple. Only the worshippers are allowed. But everyone should visit during their stay is bali because this is beautiful calm place.
(42) A beautiful temple built on the waters of the lake, with an eleven-storey meru! Well worth the stop and the admission fee. A lot of tourist tat on sale, and opportunities to have your photo taken with a toucan or a bat, but it can't detract from the beauty of the temple and the backdrop of the hills.
(43) A beautiful bali temple but then again they all are. Very busy as we visited on a weekend so locals and tourists all mixed in and just before sunset so pick your day carefully!
(44) I gave it a 4 star assessment. Why? I would gladly have given 5 stars for the beautiful temple on a unique location. Unfortunately, the place has become over touristy. It's like a small village with dozens of souvenir shops and restaurants. Therefore, part of the mystery is gone. But you should still go there for a visit because it's breathtakingly beautiful!
(45) Nice Views. Nice to visit when tide is low or else you can't go inside. Temple is beautiful though even from outside.
(46) Great view of the temple and sea. You can actually go down and enjoy the scenery. Though it gets crowded during the sunset. Ok to go also in the morning when it's high tide
(47) This place is great to spend a couple of hours wandering around the coast to look at the temples. Didn't realise at the time that it has become very commercialised as there is a thriving tourist market there where the wares are considerably cheaper than the main resort areas. Well worth a visit.
(48) Good temple at cliff with great view at the sea, a bit far from Ubud around 30 minutes with motorbike really it worth it
(49) It is a very nice place to visit with a few temples. It has a nice view and there are a lot of possibilities to eat and drink. There is also a complete street with shop around in this area. Nice plsce to visit.
(50) it is a nice temple right on the beach side, but when i was there it was forbidden to go up to the temple in addition of that there is lot of people in the place. at the end it is hard to find a taxi back if you don't have a driver waiting .
(51) Pros:\n- Beautiful\n- Massive\n- Scenic\n- Tranquil\n- Relaxing\n\nCons:\n- SO many tourists, have to wait if you want to get a good photo\n- Have to pay for a blessing and to enter. Although its not a lot of money I really don't like the idea of charging people to enter a temple- its just profiting off of God & Worshippers\n- Mosquitos! Bring Repellent and reapply\n- Restaurant with a view (can't remember the name but theres lots of wooden tables by the edge of a wall) was quite expensive as a family and its also mainly seafood. Drinks were cheap though so maybe just buy those instead.\n- Cats around the area (personally not bothered but if you're allergic to them or do not like them they will be around)\n- Make sure you go on a cloudless day otherwise the sunset you want won't be there and it will be disappointing\n- Not really much to look at, literally just walking around and looking at views \n- tide comes in at 18:00 I think \n\nOther:\nBring Shoes that you don't mind getting wet. A lot of cool rock pools and streams
(52) The temple itself is beautiful, but not only, the park where others temples are, is also very nice.\nThere is a lot of people but it's not to bad.\nRestaurant around will charge you a fortune for food and drink, when you can have it twice cheaper out of this place.\nGood for a stroll in the morning when its not to hot.
(53) Beautiful Hindu temple on a beautiful lake with wonderful landscape. The main building built on the water and is great for photography.
(54) Went to together with my wife I would enjoy going out we stayed in a hotel next to this Temple . Will highly recommend to everyone to visit this spot on the island it's just grate
(55) Entrance fee, IDR50,000/pax, parking for bike IDR2000.\n\nThere's a substitute gate of Pura Lempuyang here at the entrance. \n\nThe temple is not accessible, floating on the lake - does look nice. \nThe area is big but nothing much to see.\nThe lake is beautiful, very little place available to sit facing the lake. Come to think of it i didn't see any bench around the place. Most are sitting on grass or floor.\n\nThere are statues of fish/i think it's a fox hyena thingy - no idea what it is, I don't see/understand how the animal statues are related to the temple. Also there's a playground for children. Also not sure why is there a playground at a temple?\n\nI don't feel that this is a must go place unless you have the extra free time.
(56) The temple is nice but the most impressive is the view that you get from the cliff and the companions you meet during the visit!
(57) Been to Bali many times , yet my first time up there this is a must for all who go to Bali it's a must. The views are awesome the temple and the cliffs looking down at the water simply stunning , I would say September is the best time to visit.
(58) Paid Rp 120.000,- for two I think that was too high, for a temple that you couldn't enter, no traditional attraction, no guide to ask for, all you can do was enjoy the scenery of the temple, took picture of it, and leave. It took only 20 mins for me to enjoy this place and that's it.
(59) It was just so different I have been to many temples but this one is unique and to see it at sunset it is amazing I would recommend it for anyone to visit.
(60) This is so beautiful and tranquil very well maintained and well worth a visit. Sitting with a very nice Bali coffee and looking at the Temple was relaxing and made our visit full of appreciation of the ambience.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) If you are visiting the UNESCO terraces, you should travel another 45 minutes to see this beautiful temple on the lake. There is not much to do or see here, but the view of the temple on the lake is quite beautiful.
(2) It's a must-visit place during your visit to Bali. One of the most beautiful Hindu temples i have seen. It has a serene and calm effect. Off course it will be crowded as it attracts many tourists.
(3) This revered temple, one of several along the coastline, is situated on a rock outcrop and is dedicated to the sea. It is certainly worth a visit as part of a day tour. It is also a wonderful place to take photographs from. Although I was not there near sunset time, I believe it is a great place to watch the sun go down. The area approaching the Temple is very commercialised and the crowds during the holiday season and certain festivals can be quite large.
(4) I'm glad I visited as seeing the views of the ocean are wonderful. Temple itself was a little underwhelming what you get to see. If you're in the area go, but dont make a special trip.
(5) What a beautiful place, lives up to the photos. We checked low tide so we could make in across to temple. We got blessed for a small donation and got to go up some steps, but actual temple closed to tourists. It would be stunning on a dry day and if there was a sunset - too many rain clouds for us. We bought shirts at the market on the way back. Even with umbrellas we were wet through. Would highly recommend even though the weather was not kind to us.
(6) We really liked this temple complex. It was low tide and we could see the entire complex. The sunset was the best I have ever seen. Good place to spend a few hours atleast.
(7) This was a visit to one of the most beautiful temples I ever visited, temple in the sea, no access during high tide. So blissful that one can just be spiritual
(8) It is a nice beach side temple. Good for photography and those who wants to see some sea formations (geography students). Awesome views. It is crowded, but tell me which tourist attraction is not crowded. So, do expect crowd and inconsiderate people to be around there.
(9) This is our first stop and nothing less than beautiful was the experience. Fortunately for us there was a ceremony in progress while we were in. The view of the temple and surroundings was just spell bounding. Clouds touching the lake and the temple standing tall in the midst of the mist is just an awesome view. One of 'the landmarks' while in Bali.
(10) You will find this temple on the lake. Within its surroundings, you can see and look a nice garden with children playground and water bike. I went there with my wife and it was a cloudy and cold day. It took 1,5 hours to go there from Denpasar and cost USD 3 / person for the entrance fee.\n\nIn summary, it is a great place to relax and enjoy with your family.
(11) As part of our multi stop trip, we stopped at this temple.\n\nThe views are amazing of the temple with its lake and mountain backdrop. Surrounded by a lovely park with plenty to see.\n\nWe spent about an hour here and took many photos and videos! Well worth a visit and would recommend to others. The only reason we gave it 4 instead of 5 was the distance we travelled to get there, and occasionally items difficult to get good shot with so many people around, although that's to be expected of somewhere so special.\n\nA must see in bali!
(12) Old Balinese temple in beautiful and scenic surrounding,situated on sea sore it can't be visited during high tide, fortunately when we visited it was accessible,lots of place to eat,go on top of cliff to have food with view.
(13) We were suggested this place by our driver so thought we would have a look! Tickets were 50,000rp for adults and 25,000rpm for kids under 12. It was quite busy the day we visited and also quite cool with wind. The temple is out on the water of lake Beratan. It is nice to look at and take some photos, there are also some concrete statues and gardens to take some photos in. There are also toilets and some shops to buy water and snacks nearby. It was pleasant to break up our trip on the way to another attraction but I definitely wouldn't drive all that way especially to see the temple. Pleasant but not outstanding.
(14) I came here with my wife and kids. Itnice temple surrounded by the sea. Beautiful sunset too. Holy and make a wish for your future.
(15) Although very busy and touristy and also under construction at the time, this is a very scenic temple to visit on the way to/from Ubud/Lovina.
(16) The temple is located on the sea and when we went it was drizzling and the sea was choppy but the view and the ambience was meemerising.The complex is huge and you will actually need 4-5 hours to enjoy the place in its entirety.\nplenty of cheap souvener shops in the colorful local market inside the complex.\nOne of the must see attractions of Bali!!!
(17) Temple is definitely worth seeing, head there about mid afternoon, lots of shopping available . The restaurants on the cliff had sensational views over the ocean
(18) Very beautiful surrounding, at low tide you can walk to the temple stairs. High tide meant water blow..it can get really busy and hot..so try to get there early
(19) A must visit temple ... though they don't allow to enter inside but the sunset is awesome ... show is icing on top of cake . Beautiful view
(20) The temple if very beautiful and located on the hills at the corner of the lake which makes the temple looks spectacular.
(21) Arrived there after lunch, so a bit hot. However, we are appreciated Balinese temple on the cliff.\n\nSome photographs were taken, showing a stunning view and small temple.
(22) Very beautiful temple by the lake. Well kept gardens. Very popular with tourists. Nice to walk around.
(23) Eventhough tide was low. Lovely cool weather. Big lake with several water activities available. Many photo options. Visit this temple along with Jatiluwih rice terrace. Sarong not required.
(24) Beautiful when the tide is in, but a bit bleak when the tide is out. Very nice walk from the temple on the headland to Sofitel. Also a nice path at the back of the beach for cycling
(25) Must see!!!\nGorgeous temple with beautiful lake & mountains around. Go there when its not overcast to enjoy the view. This is one of the most photographed spots in Bali. Don't miss it
(26) It is a bit touristic but there is a big park around, so it never gets to crowd. It's indeed a magical place, the temple itself is beautiful, and the the surroundings are amazing, lake, mountains, park. Perfect place to have a relaxing time.
(27) A must watch temple during your visit to Bali. \nIt is a beautiful place for sunset and would recommend to spend 4 hours near the temple.
(28) We visited here with our driver whom we had booked for 2 days to tour the island, and this was the first temple we visited. It was on an island by the coast with the sea crashing against the rocks. The tide was coming in, but there were still people standing on the walkway between the mainland which looked a bit hairy! However, views were stunning although we didn't walk over to the temple but took photos as there were plenty of viewing areas.
(29) Apart from the temple, where only locals are allowed, nature has endowed its beauty in a very unique way. The sunset point is amazing. Proud of the balinese people for maintaining the Hindu culture for centuries
(30) An amazing place but full of tourists. The crowds killed all the magic of the place. Still, worth visiting. A very beautiful temple. Just dont expect to have an spiritual experience.
(31) Despite being full of tourists, this was an amazing place to visit. Top tip - walk past the temple (and the dubiously signed 'Holy Snake') to the rocks for the best view after sunset. Can get a bit sloppy but the contrasting colours of the green moss on the rocks with the rock pools, sea and the red sky are amazing.
(32) The Temple is at a high cliff, and the view from it is awesome... be ready to walk to reach the good points.
(33) The temple is actually detached from land so you need to walk across the water to get there. We went in the late afternoon when the tide was low, but do plan to get back before 6pm as the tide rises so harder to get back. Also, suggest to take the sarong and sash as they don't let you go up to the temple without them - they will rent them to you when you get there, but charge a lot for it.
(34) Nice and cool view around the lake will be more fascinating if you want to go around the lake and temple by boat in the morning when the mystically fog still around. So peace.....try it.
(35) Gorgeous views. Worth the walk up and down the temple area. During prayer ceremonies they wont let you inside but you can peep in like we did.\nLoads of monkeys so hold on to your things there. There is a King Cobra on display if you want to take pics with it.\nOutside the temple there is a huge market place for souvenir and clothes shopping. Bargain really well and they give you at 1/10th the price no kidding!
(36) Had a few hours left with Grab rent (420k for 8 hours), so decided t ok guve this temple a try. We avoided temple visit until know and I regret it even more.\n\nFrom gated ticketing booth (60k for adult, 30k for children and 5k for car), it was overly commercialised with all sorts of stuff.\n\nThere were clothes, bag, souvenirs and food stalls which all seemed neccessary for needy pilgrims. But it got too much with likes of coconut ice cream, Japanese sushi shop, Chinese restaurants, Bali Massage (not opened yet), jewelry store, etc. Only shop missing was hairdressers and car wash.\n\nBesides 500m of shopping mall, there were so many people it was impossible to avoid getting wet and pushing amateur Instagrammers aside to approach entrance to actual temple.\n\nProbably won't go back until 2030 or later. Don' worry about sunset view, it will just cost you more to get out of car park and driver time. We got out at 6pm and had clear run to Seminyak for Nuri's pork rib dinner.
(37) This is a very popular tourist attraction. At the time of our visit there were ceremonies due to the approaching Full Moon. Seeing the procession goers definitely added to our experience. The proximity to the serene lake and mountains in the background significantly enhance the temple.
(38) The temple on the beach was pretty cool. We also went under the cave in the cliff and touched the sacred snake, suppose to be good luck. You pay a donation for that. Tons of people there, I managed to get photos to make it look like nobody else was there. Good photography site.
(39) The temple is in a beautiful location but it is highly touristic and crowded and you cannot even enter it. Mostly a big money maker.
(40) Located a half an hour away from Canggu, we reached here on a rented bike\nIts a beautiful temple complex , with a lot of things to see and experience \nThe main shrine is closed for foreigners, u can just see the temple\nTickets- 65k IDR per person\nParking-3K\nU can spend an hour or more here easily \nGo during evening, watch d sunset
(41) We went there at sunset. Unfortunately it got cloudy so didn't have a chance to see it. The temple itself is nothing special. You can't access it as it is reserved for people praying. You see nothing of it apart from the main temple building on top of the cliff.
(42) Due to the trash, overcrowding of people, and tourism sales, I have to give this place two stars. \n\nIt's sad because it's such a beautiful place. The sunset was gorgeous but because its so impacted by people, it takes away from the experience. \n\nBefore reaching the temple, you are walking through a market of shops. You can bargain with them. \n\nWhen you get to the water, you can walk around the coast. You can snap pictures but more than guaranteed, youll have a photo bomber in the back. \n\nTheres the temple across the way. I think depending on the tide, you can walk across the water but be careful. Its very rocky. \n\nI guess this place is worth it if youve never seen a sunset before. Its beautiful but maybe Bali needs to do something about the tourist impact and trash.
(43) Out of all the beautiful temples Bali has to offer I preferred this one to visit for the reasons it was a magnificent temple with best views of the surroundings. Least did I know, as no reviews said, that it all just a money draining business. \nFirst, your car won't take you to the entrance of the temple. It has to parked at the parking lot quite faraway from the entrance. Second, you have to pay for your two way commute till the entrance. \nThen there is a stepped way and a ramped way to the entrance but they always guide you to the stepped one to make sure you pay donations. Elderly travellers who would prefer ramp are discouraged due to this greed of theirs. \nAnd after all this circus, all you get to see is a really long queue for the photo at the famous entrance gate and no admission to the upper parts of the temple.\nIn all it seriously is a waste of time and effort going there.
(44) Honestly I was underwhelmed. This was not very interesting. The market there that you access after you have paid is fantastic I would go again just for that - a brilliant range and the sellers were not pushy and the goods were fairly priced. We stopped for a fresh coconut drink which we loved!! As for the temple you trudge across the water with like a bazillion other tourists; and you can't go past the gate once there without doing a ceremonial water thing (which involved a long queue) - my son point blank refused to do this for hygiene reasons; so we went up the hill and viewed from there. If you have lots of time then sure do this but there are way more interesting places to visit in my opinion. You'd need an hour here tops. The toilets are horrible and you pay to use them.
(45) Hope u have the luck as i did to go on a calm day, no ceremonies, no people... take ur time to wander around the magnificent gardens around the temple besides the lake, mountains in the back. No sellers boring you. Enjoy true Bali.
(46) ... you may miss a lot of Bali. \nNon-Balinese cannot enter the temples, but the whole setup is just divine. It is a very special place
(47) Mystical surrounding, beautiful with the wild see behind it. I found it a very unique spot for a temple. U cant go up or in. Busy with tourists, but yes they want to see it as well. Don't forget the sunset here.
(48) This temple is beautiful. Yes there are tons of tourists and selfie sticks and yes you have to pay entry to this tourist attraction. The views are beautiful and it's a really nice place to visit. It gets extremely hot throughout the day, best to go early morning or late afternoon. Sunset would be great from this spot !
(49) receive a blessing in a cave ? well worth a donation and shop's galore even had something to eat and drink while watching the sunset !.
(50) Amazing place. The temple located on the lake should be seen surely. I recommend to visit all traveling to Bali.
(51) Its very touristic but the view is very nice from the platform. You can walk down as well but you cant go to the temple. Its cool that its straight in the water.
(52) Too commercialised with market going on forever before you reach the temple. unlike picures on google and tourist brochures the bridge is actually completely lost to the sea. Hoards of people around the area and the Temple itself isn't paticularly special in comparison to others in Bali which are amazing.
(53) And I do appreciate the irony in this comment as one of the thousands of tourists that make.this such a popular spot. As beautiful as the temple is it is marred by the crowds jostling for a selfie at the lake edge.\n\nGardens are beautiful with lots of other photo opportunities.\n\nOther detractors- an additional cost to use the facilities! Plus the mess just through the gate at the shore edge - why not just fence this off?\n\nWorth a visit but plan to avoid crowds or manage your expectations accordingly.
(54) Never seen the temple this busy but it is the end of Ramadan, the end of school, just after Kuningan, and Idul Fitri.\n\nFrom the first times I visited it has become commercialized to the point of really corrupting the experience of visiting.\n\nThat said it is a nice place and worth the visit.
(55) What can I say that hasn't been said before there are 3 temples on this site the most appealing to me was the sea temple what a stunning location superb for sunset photography or just a family day out it gets extremely busy especially at sundown for me there was far too many tacky tourist shops and having paid to go in they charge 3000 IDR to use the toilets well worth a visit
(56) This water temple was so well kept up it was very enjoyable to walk through the whole complex and learn about the Balinese history and culture. The scenery was simply picturesque, a must see.
(57) Very nice beautiful temple by the side of a mountain lake so the temperature is naturally cooling unlike the other part of Bali. Worth the trouble for a visit of course.
(58) IDR45k for shuttle bus from parking area going up to the entrance plus IDR55k for ticket to go to the temple, but you are not allowed to go inside the temple (just like other temples in Bali). I find this is too commercial! Normally you have to wait 2 hours for your turn to take photo at the gate and you can do nothing much around here during this time. We skipped this because the view is beautiful but not worth such waiting time. The temple is also quite far from Ubud center, around 70km, so it takes quite a lot time to visit this place from Ubud.
(59) Must visit attraction. We went on 1st day of our vacation and it was so beautiful. The temples here are so different from Hindu temples in India. \nThe view is so beautiful. We just went on a sunny day,so it was very hot. But the waves of the sea and the whole view around the temple will take your breath away !
(60) A beautiful temple situated on the water, surrounded by the lake and the mountains/volcanoes. Very peaceful with lovely gardens with many sculptures and a very pleasant cool climate. A very popular place to visit can get a bit crowded

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) We visited quite a lot of temples during our time in Bali and I have to say that this was one of my favourites. The location is so scenic and peaceful, the air is fresh and cooler because of its geography. On a clear day there are views of the mountain. It is the perfect place for a picnic! We didn't see anyone try to sell us anything and you don't really need a guide, just to enjoy the picturesque views.
(2) Quick visit during the day since we wanted to avoid the hordes at sunset. During the day also fun and nice to watch. High waves make it impossible to reach the temple itself so u have to take pictures from a distance. There are multiple good angles to make photos. For the rest the area is crowded with standard tourist shops and other crap.
(3) The place is Serene but crowded because of Its amazing architectural structure of the temple, the landscape. On a low tide you can walk near to the temple and witness the magical sunset.
(4) Well worth a visit for the view if you have already seen too many temples. I suggest instead of going left on entrance which takes you to the temple, go straight and a little to the right which will tske you straight to the cliff view. When thete turn right (away from the temple) this will take you to another nice viewing spot. You can then walk back to the temple. We went around 4pm and were leaving before sunset...it was packed...so I guess it would take a while to get out of there after the sun went down...
(5) Surrounding and location are nice. \n\nBut many tourist and locals visit the temple. Entrance is overpriced. \n\nOther temples are better. But I admit. This is a must see
(6) I thought my BALI visit would be incomplete without visited this famous temple. So I went to see this famed temple on a November day with the merciless Bali sun blazing High over my head. You have to walk a considerable distance from the parking lot and negotiate a good number of stairs to reach the temple. As is the custom, if you are a foreigner, you have to pay an entrance fee of 30000 IDR and enter the area but alas,as usual with other temples in Bali ,you ,being a non Balinese, cannot enter the main temple.Despite the fact that I am a Hindu from India and this is a Hindu temple built by my ancestors from India, I was denied an entrance. So, I was content with taking a round of the temple around the periphery wall of the temple like all other foreigners which was highly disappointing. Nothing spectacular or special about this temple. You won't be missing much if you skip this temple from your itinerary.If you agree with me after paying a visit, kindly give me a upvote..
(7) Feel that theres too many people and temples in Bali almost all look the same. Wasnt really that interesting to me. Went there to see the view
(8) A beautiful temple in Bali. An absolute must for everyone goung to Bali.\nBreathtaking views. Especially at sunset
(9) One of the most beautiful places in bali, its bit far from cities but totally worth. Its so beautiful and while travelling around in different temples, its a nice break from all the crowd wanting all of your money. There is a ticket though. Do walk on the steps and feed the fish here.
(10) A simple and elegant Temple. Besides with well maintained site, the temple has a wonderful cliff/beach view, that nobody should miss!
(11) An amazing temple to view at sunset, the only downfall is the volume of people there - way to overcrowded
(12) Small temple, I don't there is much history behind. Only thing I enjoyed is d view, otherwise, nothing much. Too much for Rp50k
(13) Most famous temple in Bali, excellent view from the distance. The temple itself is not open to the public, bit of a pity. The photos are much more attractive. Still worth visiting.
(14) One of the temple staff was very strange. When we did not want to enter immediately to the temple (of course for money) and we walked towards on the asphalt road ( outside from temple walls) for the view, he started to be angry and screaming: \YOU HURT MY TRADITION! THIS IS TEMPLE AREA!\" I answered politely: \"There is no warning to stop. This is just a simple road, nothing else, but I am sorry if I hurt your tradition.\" It was not enough for him, he started to follow us and shouted: \"BETTER TO GO AWAY AND NEVER COME BACK\" Seems to me no money no honey.\nHis behaviour was very unpolite, agressiv, and it is a big shame for the Balinese people."
(15) The temple was Not surrounded by water but did have tourists on the water /lake with big bright Pink or Blue peddle Ducks being paddled right up near the Temple making it it difficult to get a photo of the Temple as pictured above. Hundreds of tourists being bused in and a fee to enter the area. Nice gardens around but not worth the 15 minutes we spent to look at it after spending 2 hours to get there. The Mosque in the hillside also took away from this Ancient Hindu Temple which is still used and was used on the day for a celebration for the Full Moon, with a call to prayer over the loud sound system interuppting any sense of Hindu spiritual time.
(16) This is a very popular tourist attraction. At the time of our visit there were ceremonies due to the approaching Full Moon. Seeing the procession goers definitely added to our experience. The proximity to the serene lake and mountains in the background significantly enhance the temple.
(17) The temple has an inspiring location on the top of a hillside overlooking the ocean. It's an architecturally and spiritually inspiring place. Highly recommend buying tickets at 5pm for the traditional Balinese dance as it was spectacular!
(18) Ive been in Bali a while and have seen a few temples, this one I visited twice and I like it a lot. The entree is 50.000 (~3€) and the view just beautiful. It has a garden/park area around and is nice to hang around. \n\nA bit unlike other temples since e.g. a sarong is not needed and the atmosphere is very laid back. If you can, go visit it.
(19) Ancient temple visit here everytime we travel with friends new to Bali.\nCheap shopping if you bargain right.\nMust go to see the snake and bird centre inside temple grounds,can get hands on experience if your game enough.\nAlso get first hand experience with lewaks and have fresh coffee as well.\nNever tire of this location
(20) Since its across water, the pathway is closed during high tide. But it's a good place for photos if the waves crashing on to the rocks near the temple.
(21) Have no words to describe the beauty of this place.Beautiful sunset location. People visit this place to do marriages also. You can visit temple also.They help you to cross waves to reach the temple.
(22) This was the least enjoyable temple visit of my Bali trip. Having said that, we decided not to stay for the sunset, and I am sure that it picturesque. However, given the location I would have thought that sunrise would be even more spectacular as it would light-up the land facing side of the temple. \n\nThe temple itself is quiet dark with trees up against it on the land side and with the sun going down behind it, along with the sea spray, you really can't see much other than the outline.\n\nThe rows and rows of market stalls that you have to navigate past to get down to the temple sell the same cheap rubbish sold everywhere else, by people just a desperate to get you to buy.\n\nI certainly wouldn't go back, unless it was at sunrise.
(23) The temple is full of culture and amazing architecture however... DONT GO DURING THE DAY!! It is extremely hot in the temple and without water you won't be able to stay long. \nTake advantage of the numerous photos locations to snap some great pictures of the scenery
(24) The place is great, the views are beautiful, also the market place located around the temple is great with amazing products at extremely affordable prices. Just remember to negotiate the prices a lot, it's ok over there.
(25) The way to this temple was fully greenish...good climate...lake around the temple was so big n clean...boating was there...mountains around the lake was treat to our eyes...we had a chance to see some daily religious activity in noon...it was so different...we can't go near temple...v can see from outside... temple architecture was really great...during our visit there was only little water around that pillar like structure in tat temple...totally the place was awsome...v enjoyed the climate n sceneric view around the temple...
(26) Near from Kutta and Semiyank, it's one of the most visited place in Bali. \nThe temple is very nice but to visit the temple rock you need to cross water on your own. There is strong current with flowing water. So be careful. \n\nYou may find hard to take photos without other tourist in background. Lot of shopping and eating options near temple. There is also garden on cliff to take some stunning shots
(27) This place is must see Temple for every one visiting Bali. The Temple is surrounded by a lake, Beautiful flowers, green grass. We traveled in Mid May and the weather was cold here, different from the rest of Bali.\nThe roads to the temple passes through not so high altitude, but the road side views heading to the temple are awesome !!!
(28) Probably one of the highlights of my trip. breathtaking views of the temple and coastline. not to be missed!!!
(29) It was nice to visit the temple. We had a good look around and took photos. There were many good spots for good photos. It was a little hot so make sure you bring water.
(30) Breath taking temple complex on the coast. Magnificent views. Vendors line the entry but once you're inside, you underrstand why this place is sacred.
(31) Very historic temple in a very interesting setting.\nYou might get wet feet if it is not low tide but certainly worth it. Can recommend it highly.
(32) It's a beautiful temple carved out of stone, and it's reachable only if the tide is low. You can walk up to the temple when there is low tide, but only till the front where some priests will bless you. You cannot enter inside the temple, as it's only open to worshippers as we saw some Balinese people going in to pray.
(33) 1. Great art on water.\n2. Clean place.\n3. Great view.\n4. For muslims friends- a mosque is just a walking distance for you to pray.
(34) Good fun and a fine temple in the centre of the site with a spring, be careful not to put items in pockets or appear to be holding anything
(35) The way to this temple was fully greenish...good climate...lake around the temple was so big n clean...boating was there...mountains around the lake was treat to our eyes...we had a chance to see some daily religious activity in noon...it was so different...we can't go near temple...v can see from outside... temple architecture was really great...during our visit there was only little water around that pillar like structure in tat temple...totally the place was awsome...v enjoyed the climate n sceneric view around the temple...
(36) Interesting temple on the lake we did like it a lot but the down side it's that very busy. But worth to see it
(37) visited this temple three times already,the latest one was few days ago.the temple on the cliff still beautiful,the sea view still marvellous,the monkeys there still naughty.but i found that the ticket for tourists not very nice. before we got a paper printed ticket, now still got a printed paper, but it looks like a receipt,not the ticket.so cant keep the ticket for memory,cuz the receipt will become blurred one day.i dont know why,cuz we foreign tourists pay more money to visit here,but got a receipt even issued by a bank.i think ticket is important,especially in Bali,such a creative island,they should provide us a beautiful and artistic ticket.hope the tourism authorities of Bali will improve this.
(38) A very unique temple on the shore. This was the first time I visited a temple after wading thru sea water. The location was picture perfect and very beautiful to watch the sunset. Overall a unique experience
(39) We visited the temple during Low tide and we are able to enter part of it. \nNice view from the temple itself.\nWe also visit the holy snake. \nLots of street shopping and cheap before u reach the temple.\nHalf price from Kuta street.\nRecommended.
(40) One of the most beautiful temple in Bali. Seem like floating on the water. \n\nSince it was situated quite high above sea level, the weather there is much cooler compare to other part in Bali, which make it very nice to visit the temple.
(41) Visit first thing in the morning when there is no crowd and you can see the mist break and the mountains appearing. The temple against the skyline is a must watch.Nice restaurant inside the complex, helps to spend time watching the sun break.Stroll around and see the trees, no two are the same
(42) To me perhaps the most beautiful of the Balinese temples. Located along the ancient, volcanic Bratan lake and surrounded by wonderful flower gardens, this is a place to unwind yourself and surrender to the divine. Spend a few hours here during your north Bali trip\n\nAlso has number of souvenir shops and restaurants near the premises
(43) Very very busy especially around sunset time. You have great views of the coast line but you can't really see any of the actual temple and you can't go inside. Much prettier smaller temples you could visit which would be much less touristy. \nYou have to cover up your knees if you aren't they will provide you with a sorong
(44) We never get bored to revisiting again anf again this beautiful place! You can feel the fresh air breezing gently to your face and takes some photos to be remembered. The speed boat was also friendly and caring by serving us as the tourists. Maybe some cleanliness need to be attention to the many of garbage spread through the lake near to the temple.
(45) Awesome view from the temple... the temple is in the sea and i was lucky to make a visit near the temple as there was no water near the temple that day... \nThe sunset view is just too good... though it was not a perfect sunset as it was cloudy... Still its a place you must visit...
(46) This is such a popular icon in photos of Bali that I really wanted to see it live. There are actually a group of temples at this large park, as well as playground, dancing kids, and gardens. It's all very lovely, but also crowded most of the time. I didn't realize that the water wasn't around the temple all the time. It only comes after they've had months of rain, so it was dry and not quite as spectacular. Still, it was fun to see the paintings on the other buildings, watch the deer eat, walk the beautiful garden paths, and of course my son liked the very simple playground. This is a nice park to see for all ages.
(47) Pretty complex of temples against the backdrop of the sea. The main temple is on a small rocky island that you can reach at low tide. Do go and write your name on the black sand, and grab a $1 AUD coconut to drink as you take in the amazing views.
(48) Walking around the temple hills and looking at the cliffs was great. Would have been nice to have some information on what we were looking at, perhaps at the entrance so as to not damage the sanctity of the Temple itself.
(49) it is a tourist attraction so expect many people, it wasn't that crowded. quite hard to snap a photo without someone photobomb-ing behind you. just find a place/an area to sit and chill while waiting for sunset. unique temple and beautiful sunset.
(50) Bali has become the destination. It being so busy, it is best to get up early and hit the road! And I mean earlllly! 8 am wasn't good enough! And we were in jimbaran. So if you can leave around 4-5 a.m ( depending on your location) you can get amazing shots from this incredible temple! \nIt's sooo beautiful and worth the visit :-)
(51) Wasn't too busy when we were there, which was nice. We wandered around the shops and had some lunch then walked back down. The beach was now open, as the tide had dropped, so we could wander closer to the temple. Stayed for a few hours and thoroughly enjoyed the stay.
(52) Got to visit this place with my wife and it was great from start to finish. There were a lot of tourists but other than that the temple was amazing
(53) I've gone here twice, each time it's been so beautiful. Although crowded with people around sunset, it is absolutely gorgeous and a must do kind of thing while you are in Bali. During low tide, you can walk through the water to the temple and get blessed by the monks. Although you can not climb up the temple it's a great experience and the views are beautiful.
(54) This was a beautiful temple, but pretty small. There were tons and tons of people everywhere. Worth a visit.
(55) To us all temples after the fourth one we visited looked exactly the same. However in this one there were several local old men who tried to cheat us or ask for money every 100yards.\n
(56) small stretch of volcanic sand but breathtaking, we stopped there on the way to gates of heaven temple
(57) amazing sunset experience, bring your camera and you wont be disappointed. beautiful temple , spectacular scenic views, take your breath away. the ocean waves crashing around the temple a must see.
(58) Like everything in Bali you have to pay to see it, hundreds of people doing the same thing, huge park area around the temple grounds nicely kept, you can go down to the beach. Temple itself makes a great photo probably better at sunset but was not there at this time.
(59) Another amazing holy place. Unfortunately, non-Balinese Hindu are not allowed to enter prayer areas. Still nice place to be around. Again, the same advice come early to have place for yourself.
(60) The temple by the lake is the best part for the attraction with the view of great big lake. Worth a visit.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) There are two main temples in one complex. One of it almost looks like its hanging on top of the sea! Tourists are not allowed within the temples but it's a great experience nevertheless. The place has an amazing view, especially at sunset! There are quite a few tourists around, so it's not very peaceful. Snacks can be bought from the small eateries that are present at certain points on the stretch.
(2) A stunning place to visit. Even though it was cloudy when we visited and busy it is still a relaxed and peaceful place. You can spend a good hour enjoying the gardens and viewing the temples from the exterior walls. There are toilet facilities and cafes to eat and drink at dotted around. Free to enter and one of the very few places 100% buggy friendly.
(3) Humidity very high at the temple,but beautiful location by the ocean and \na nice opportunity to take lot of pictures
(4) It is one of the must visit temples on Bali with Besakih on my opinion. Beautiful scenery all together. try to make it there one hour before the sunset to enjoy a magnificent view.
(5) There are countless Hindu Temples in Bali and most of them are beautiful, but this one is an extra ordinary, by the lake “Beratan” this 400 year old temple is built so beautifully that it literally mesmerize you, from the moment you look at it and surroundings and lake; you feel in Trance. In 1926 most of the area was covered and destroyed by the Lava but after rebuilding it has got it beauty back. Worth visiting
(6) A classic temple in a truly magnificent location. Definitely worth a visit to further highlight the intrinsically spiritual nature of the Balinese.
(7) The temple is quite interesting and has some great views. Really cool staircase down to the beach below. The beach at the bottom is makes it worth the visit!
(8) Bali temples do not seem to have statues of the gods and goddesses, and one is not allowed to go anywhere close to them. The locals can go when there is a ceremony but not others. So eventually it is taking in the architecture which is very beautiful and unusual. It is a nice visit for a leisurely walk in the surroundings, taking a speed-boat ride and clicking pictures of the temples from a distance. There is a pagoda dedicated to the Buddha too.
(9) We went to this temple on june and we really loved it very much. Also lucky on that time it was not so busy as we went there earlier in the morning. One of the best temple on bali you should go for visit. We loved Bali...
(10) very busy with the markets and the restaurants. all of it was delicious and the shops had some quality stuff, the temple is a great sunset spot.
(11) Visited this temple with my partner. This temple is in the sea which you can walk to at low tide. The sunset is amazing and the whole place is amazing to see.
(12) High tide worked in our favor. Lots didnt want to pick up their skirt and walk in the water to the temple. The temple wasnt really open to walk but we were blessed (literally we got sprinkled with water and rice and flowers) and only got to go up steps to take a picture in a small portion of the templ. However, if you take a walk away from the temple along the shore, youll get a great view. The food was also good and definitely take a stop at Luwak Cafe to pet a Luwak and bats!
(13) 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.
(14) This was a late addition to our trip as it was not a part of our tour. My wife found out about it on the internet and it turned out to be quite a place to visit, maybe just better than Gitgit waterfalls.\n\nThe temple is inside a park kind of a place with walking area around the temple. it looks beautiful the closer you get and with the lake surrounding it, you will not want to leave the place.
(15) I had the pleasure of seeing this temple just 1 day after arriving in Bali. We hopped into a cab and arrived an hour before sunset. It was a bit crowded, but just so much space around the actual temple, that it didn't feel crowded. I walked as close as I could, taking tons of photos along the rocks. Then my husband and I walked up the stairs and to the other side for a sunset view. I knew this was a special place, when I looked over at my husband, sitting along the rock retaining wall, and seeing how peaceful and relaxed he looked. Just staring out into the sunset. He was now in vacation mode (it usually takes him a few days to truly relax and chill.) It was one of the prettiest sunsets we saw in Bali.
(16) The viewsfrom the temple are sspectacular of the waves impounding the huge rocks all the time worth many a photographs!
(17) Lovely too see water and waves splashing up against the temple.. Makes for a great background. It can be slippery so be aware... There's stalls and markets to walk through when you're done. Not a bad way to spend the day although you cannot swim in the water - the tide gets quite rough. There's no decent restaurants around so you may wanna carry food!
(18) Sunset is beautiful, but you have to pay to go inside the temple surroundings, and you are not even allowed inside the actual temple. Basically, you are paying for the view of sunset.
(19) I found this place very beautiful and stunning. The more numbers of photos I have taken during my Bali visit is of this temple! Nice climate, but after some time started raining.so couldn't do the boating in the lake . A mountain in the background and a lake and clouds it was amazing
(20) We really enjoyed our tour here. We had a private driver which proved to be the best way to see this amazing temple with so much to see.
(21) This is a magical place and not to be missed at sunset! we got some fantastic photos, but make sure to pick a good spot well before the sun starts to go down! We also visited the cave below where I touched one of the holy snakes, while the old man told me I would be rewarded with many blessings and a wonderful holiday! Yes, that certainly was true! This is a very special temple and has a long history, but its location is just stunning!
(22) Nice hilly ride up there with beautiful view of the surroundings. The temple is very romantic looking like it is floating on the rocks next to the shores. The garden leading there is very nice.
(23) This temple is just magnificent, it is the temple that has been becoming the icon of Bali everywhere. If you want to take photograph here, I highly suggest to do it during sunrise time. As you can get a beautiful background(sky) with beautiful foreground (temple) in one picture!\n\nJust simply amazing place!
(24) I was lucky as the place was fairly tourist free, and a ceremony was just ending. the gardens are really lovely, and the sea/temple views superb. I would say it is more than worth visiting, fingers crossed that it isn't too busy. You aren't allowed to go inside the temple which is a shame, I would love to know what it looks like.
(25) The main attraction in North west of Bali Island. This temple also printed on old 50.000 Rupiah Banknote. \n\nThis water temple is use to pay respect for the source of water in west part of Bali. Balinese believe water is one of the important element, and this temple also used for regulate water flow to each subak (rice terrace) in west part of Bali.\n\nI like how Balinese take into a deep understanding how nature work, how Balinese people pay a respect for it. Once again, it's not just about the attraction, but more about the people and the culture that enrich your journey.\n\nHave a nice trip in Bali!
(26) Photos of the lake temple seem to always turn out gorgeously, and hide the hundreds of tourists that throng this lovely attraction. I have been visiting the temple on earlier trips to Bali as well, and the setting remains awe-inspiring. The addition of boating trips on the lake a few years ago already spoiled the clean calm of the lake. But the most recent addition is shocking. On the grounds of the temple park is a sub-attraction featuring owls, birds and bats. For a fee of between 3 and 5 USD, visitors can take pictures of themselves with a family of owls, with lories or holding large bats by their wings. This is a disgrace and needs to be condemned. Bats and Owls are nocturnal, and are being trotted out into the sun (so that the humans can get good pictures!). It was disappointing to see several tourists fueling this business by patronizing this activity and getting their batman selfies with scant regard for animal welfare. Enjoy the temple and the views, avoid the side attractions please.
(27) Very automatic with beautiful gardens just under Mt Agung so very cool on a hot day tends to be a little less crowded than other temples
(28) lovely place , its really beautiful and serene here, the temple is spiritually enchanting. Lovely place to get good photo shoots of your bali trip.
(29) Beautiful temple with lovely surround and gardens but lots of tourists and fairly long lines for cafes/drinks. Worth a look and some great photo opportunities but busy.
(30) The temple itself is super impressive as well as the scenery. You cant entrance the temple but its still pretty to look at. The entry price to the area was 60K which was quite a lot.
(31) A splended clifftop temple, beautiful views abound and walk around the surrounding walkway, truly breathtaking!
(32) A lot of myth and lore goes into this place. Just go visit! It is rather overrun, but still worth it.
(33) Great place to enjoy views but too much crowded during low tides (we went around 5pm). So you can see lot of people roaming around wherever you walk. It is very well developed to handle large public as there is lot of parking, restaurants and small market. Entry fee seemed to be little high as compared to other places. There is not much to see here except the temple view and open see hitting the rocks hard. I am not really impressed with the place as such and i think once in a while you have that sunset view, else chances are less because of the overcast.
(34) One of the most important landmark and situated literally inside the ocean (during high tide), this temple is divine and beautiful. A must view because of its unique setting - amazing views, enchanting waves and temple mystique.
(35) Featured on many Bali publications the Hindu temple is the main of the three with smaller Buddhist and Islam within the same area. Fortunate to be there when a hindu cremation ceremony was taking place.\nTemple entry was IDR50k and the grounds were beautifully maintained - even some Spongbob Squarepants character statues to amuse the children.\n2192
(36) We rode there on our scooter and just caught the sunset, it was absolutely breathtaking!! Took some photos of the view and the temple. Was quite a treat. Something easy and fun to do by yourselves on the scooter :)
(37) This was a big let down as the place is SO overrun with tourists, beggars and people selling stuff. You cannot get near the temple so you have to stay on the beach just to look at it from afar. \nMy suggestion is to go to the 5 star resort next door, order a drink, wander down to their private beach area (which has a better photo opportunity view) and then have dinner there. This way you are not fighting the hoards of tourists or risk being swept out to sea on the rocks just to get a picture of the temple.
(38) Took more than an hour to get here so we could only stay 30 mins. The traffic to everything in Bali is just atrocious. Just enough to take photos and walk down to the temple. Its something one does in Bali so I cant say its not worth visiting....
(39) This is an extremely popular tourist destination and the whole area is often very busy indeed, especially in the late afternoons, pre-sunset. The magnificent temple perched on a rock just a few metres offshore. Views of the temple and the sunset behind it are outstanding.
(40) Very crowded! The temple is not even accessible. We thought that you could go in and see some historic temple, but your're only allowed to ser it from the outside.
(41) 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.
(42) View around this place was so beautiful...watching sunset was special here...sunset happened in few minutes...water in this beach was crystal clear...from car parking we hve to walk some distance to reach viewpoint...there was a temple in sea shore...in tat temple there was holy water which tastes good not salty...u hve to offer some money to priests in tat temple...they wil put some flowers on our head n ears....overall the place was so beautiful n attractive...
(43) We visited this spot with the Mayong Village Tracking Experience.\n\nThis is a nice spot to stop and get some great photos (as another user says, this temple is on the 50K bill). You can't go inside, so don't expect to get up close and personal here. But the structures themselves are beautiful.\n\nBut it is VERY busy, and packed with tourists. Go early to avoid the crowds!
(44) Good place to visit if you have time but offers only a sunset view and you are not allowed inside the temple so may not be the best thing to do in Bali.
(45) 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.\n\nThe 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.\n\nThere 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).\n\nIf you put aside these moneymaking schemes by the priests, the temple is incredible.
(46) One of the best temples in Bali. Makes a great feast for your eyes. The beach, the beautiful traditional Bali temple architecture accentuated by the sun-rise/sun-set was definitely bringing a heavenly feeling. Beware! You would not want to leave.
(47) The place is has a different aura. Temples built in midst of the lakes give the place an ethereal touch. Since it is located at height, you won't suffer from heat and humidity.
(48) It was nice for a slow walk with nicely landscaped gardens, beautiful and clean but slightly crowded. Beautiful scene with Lake, mountain and temple by the shore.
(49) An important iconic landmark of Bali island. A beautiful place to watch the sunset. Very nice scenery. The place is crowded because this is one of the most popular temples in Bali. A must see for tourist visiting Bali.
(50) Saw tons of tourists but not the temple. Got in line for holy water and made donation thinking we would be able to go a little further, but crappy fence at stair right off the bat. It was quite a deception and complete exploitation of the holy ground. (But then that's what Bali is about)
(51) Pictures can never do this temple justice. It was my favorite of all of the ones we visited.\n\nMy only gripe is the trash. It is everywhere. Locals dont seem to care. We had the pleasure of traveling all over Bali. We could not find area that did not have trash. It is a shame, this is a beautiful place to visit. People are amazing and friendly
(52) We walked through the market to get to the beach where the temple is. The market was quite fascinating - nothing really of quality to buy - but lots of really interesting stuff like owls, Luwaks, snakes etc.\nI have to say I wasn't overly impressed with the temple area. It was on a surf beach, the tide was out and the mud flats exposed. We picked our way across the rocks (a bit slippery) - the temple where you could be blessed and go up a few steps. You couldn't actually go into the temple. Some nice views from the top - and that was pretty much it.
(53) One of the most beautiful temples in Bali.I'm always happy to go back.I am always looking forward to bring my guests back and this beautiful space to show.
(54) Amazing jungles and architecture. We have a good time with family.\nRecommend for couples with kids.\nNot so big place but nice.\nAs for temples all of them closed. But you can take a pictures through the gates.\n
(55) This is a nice to place to spend the afternoon, especially whilst observing various families going to use the actual temple. The views of and from the temple are stunning and even though the temple is not the grandest in terms of construction it's setting makes it really special. Definitely worth a visit if you are going to Bali
(56) The temple is located onshore of Indian ocean and fabulous place for nature lovers. Beautiful way to end your day as the sunset provide you awesome experience to your eyes. Only problem is that only Balinese people are allowed to go inside the temple. Lots of shops around the parking area. A must visit in Bali even if you're an atheist!
(57) Entrance fee is 50k rupias. The place is very big, just in Ubud city center. It is nice, with many temples and full of monkeys!!
(58) This is a nice temple situated on the lake. The garden is still under construction and it can be a little crowded but it's worth visiting. Entry fee 50 000 rupiah.
(59) The temple on the cliff was breathtaking when you saw it from the view point on the opposite site. One of good places to see a sunset. Also, you will find a lot of big moneys around the area. Be careful of your stuff.
(60) This is a beautiful large temple, there was the Hindu fire ceremony happening today whilst we were there and Yudha, our tour guide, was telling us all about how they do this every 6 months. It is a beautiful area and the views of the coast are stunning, some of the most dramatic coastline and views I have ever seen (second to Hawaii really). Well worth the visit, even if it's just for the views.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) Nice temple. No drones allowed, which is great! However the park has some strange aspects, like a big sponge bob (what is he doing there) and some big straw berries, which makes it feel like a kids theme park. Temple is beautiful though.
(2) In the past there was only one temple, now there are several temples, directions are quite complete, parking is spacious, toilets need to be spread over and free
(3) This was my 2nd favorite temple we visited in Bali. Theres just something magical about it . Ive literally had dreams about it afterwards ! Its so beautiful and unique and right of a lake. Definitely worth a visit!
(4) I'm not sure where to start but it was alright... This was more expensive than other temples yet I found it was not as interesting... Was more of a market than temple to me... You don't go in the temple you just get to see the temple... There's more interesting temples in Bali...
(5) Visited this temple while in Bali , it was a little disappointing to be honest , the setting on the cliff is beautiful but you are unable to enter the temple for religious reasons which is fine but honestly there's not a lot to look at on the exterior and there were swarms of tourists making it noisy and loud.
(6) Great experience of Sunset view and temple. Well worth the visit, although the traffic\njams to get there were really bad, our private driver knew the back roads so this\nwas not a problem.
(7) Our tour started with a visit to a Balinese house in Baha village - interesting discussion on how Balinese live their daily lives - followed by a stop to view the famous rice terraces and surrounding mountains. We then travelled on to the temple site, which is located on a lake and is a very photogenic area, as well being clean & tidy. Overall a nice tour.
(8) One of the not to me miss place when you visit Bali. View is just mesmerising. One of the best place in Bali. Temple is on the edge of the sea, you can only visit if there is no high tide but can enjoy and click pictures.
(9) Pay to see a sacred snake.\nPay to get a blessing.\nReally? \nTake a look. Snap some pics. Wonder up to it and tick it off. Too crowded in the afternoon so go in the morning.
(10) This temple is not easy to get to. Its pretty distant from all other attractions. But the reviews were great so we decided to put the effort in.\n\nThe temple is super small and unimpressive (the photos are deceiving) and its literally the only thing to see there. It would be fine as a 10 minute pit stop on the way to your main attraction, but as the main attraction its a total joke. We were distraught that we had spent 2 hours to get up there and spent 50.000 to see it.
(11) Visited two weeks ago. A must-see temple in Bali with breath taking views of the ocean. Definitely one of the highlights of our trip. Be mindful of your loose items, there are monkeys in the area that might take your belongings although they're pretty harmless. The weather is humid and you'll be walking under the sun with not much shade to view the area so it is advisable to dress comfortably and bring water.
(12) 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.\n\nThis 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! \n\nFor me the best was \"Gloria Jeans coffee shop\", but maybe I was a little Templed out with it being my 3rd of the day!"
(13) We went to the temple in the early morning (as you have to go at low tide to reach the temple, on high tide it is not possible to reach the temple itself)\nEven at this time it was crowded and it seems that this beautiful temple is not more than a “money making machine”, lots of shops with cheap things, mostly not connected to the temple and well overpriced…….\nOver all, for us it was the traveling not worth.\nIt was not possible to enter the Temple, what was really disappointing.
(14) This temple & it's grounds is very pretty IF you can stand the crowds. GO EARLY in the morning! AVOID the weekends AND holidays! When I went it was the afternoon. I walked there from the Candikuning market. It takes about 20”. Still, with the crowds it was okay. Check out the assemblage in the photos, man.
(15) A truly stunning setting for this unique old temple. Even in the rain this was a beautiful sight and had it not been such inclement weather we most definitely would have stayed longer to admire this beautiful place. Lovely coastline on either side of the temple make it a fantastic photo opportunity too. Negatives are that the place is incredibly busy, even in the rain, so you could find yourself in a queue, or a crowd instead of being able to find space to appreciate the really stunning setting. Well worth a visit.
(16) In upud we we to this temple which has a small channel on the front. We need to pay entrance fees to visit the temple. Unfortunately we cannot go inside the temple. We can just walk around the temple and take pictures.
(17) Pura build at an amazing Mountain, surrounded by forrest! All People, Are coming in the graziest outfits to get a (instructed) picture at Heaven's gate (after standing 2 hours in line). Yes, the setting is amazing, but, this is crazy! When you go further up the Mountain to the next temple, no one goes there, so people are coming for the sake of social media and not for experiencing balinese culture...\nGo there early morning and use the whole day to See all templets (check the weather forecast, to avoid too many clouds). Now I understand why templets are No entry áreas for tourists...
(18) i generally don't like visiting temples, but this temple was simply beautify. The serene and peace that surrounded it was just great! Would recommend to everyone!!
(19) i loved the temple and the views but its full of travelers so not very relaxing or spiritual but more towards hectic in a scale of zen.the rest of the family thought it was a waste of time as it took almost 2 thirds of the three days we spent in bali so be mindful and prioratize if ur travelling with others .........................but for me it is a must visit place and so are the other temples around the area.
(20) a postcard perfect temple located on the shore of lake Beratan. You can easily spend a good 45 minutes to 1 hour walking around and taking beautiful photos. You can also have some fun engaging in some lake activities (fishing, riding a speed boat or sail away in a swan pedal boat).
(21) We went to the 2 first temple not far from the parking. There was nobody there, we had our sarongs and once we get there late afternoon the temple was closed. Our guid was so helpful and they open the temple for us. We were the only persons there so imagine the excitement. We prayed and then some meditation , the level of energy here was amazzzzinnggggg. Plus the architecture and the view . This was an amazing experience.
(22) One of my favourite temples on Bali. Nice scenery, possibility to walk and eat. If you are lucky with tide you manage to get over to most remote one
(23) Incredible view from temple. Temple is built on the rock. I recommend take a lot of water and umbrella. There are no trees and terrible hot weather. Little bit rubbish on the way
(24) Lots of Balinese sculptures and beautiful landscaped gardens. The spring water here has always been regarded as holy and is regularly used for religious temple ceremonies. Bring your swimsuit and a sarong to take a bath in the pools here, the water is clean and clear and it is supposed to wash your sins away. The cafe here serves a nice lunch.
(25) We visited this temple after our lunch and swim at Finns Beach Club Canggu, since we were in the area.\nIt gets busy for sunset, this is promoted as sunset temple. Just have a walk around and enjoy the view it is a lovely place to visit.
(26) The temple located alongside a beautiful lake has spectacular views. Post card pictures with a decent camera. Must visit on a trip to Bali.
(27) Sat up at one of the restaurants overlooking the temple and sipped on a coconut drink. Lovely spot for a late afternoon drink! A little difficult to get to. Bathrooms not great.
(28) This seaside temple is absolutely beautiful. Though we were unable to see a full sunset due to clouds, what we were able to see was gorgeous. The temple grounds are beautiful, especially the area with the sacred spring. I recommend grabbing a bite to eat here and taking in the gorgeous surroundings in the late afternoon/early evening.
(29) Beautiful temple , but too many tourist :((( but if you come after 3 pm it's less tourist especially around 5 pm :))) you can go to the waterfall first in gitgit then at last to this temple :)) perfect time after 3 pm !! No one passing by Infront of you when you want to take a photo :))
(30) The temple is a spot in the imensity of the sea.\nSituated on to the small rocks has nothing special...but you can feel and smell the sea fighting with the land in a positive way.\nYng - Yang...I have no ideea but you can feel the great Sea on the pacefull with your mind\nThere are a lot of visitors but you can feel that you are alone with your mind. And all over the place you can find the stone figurine with the own Gods. Beautiful...a dream place and believe me I visit the Piramide and China.\nThis is a place that you must see.\nAlso you can buy from bazar a peint with a good price...an excellent souvenir.
(31) The surrounding is really nice, the cliffs and the sea, BUT you cant really see the temple as it is hidden. You can just see it from faaaaar away - that's it.
(32) The temple was very nice itself. However I enjoyed the scenery much more. You can actually walk past the temple to the ground near the lake and enjoy the lake and the mountains from there, which was breathtaking.
(33) the first place that we visited in Bali. its really nice scenery. i can imagine people who pray here will get peace.
(34) I have visited this lake twice to have some fresh strawberries and peanuts but didn't know that this temple is beside the speed boat rental place\nCame back the third time to visit the temple and have some fresh strawberries and peanuts again :)
(35) We hired a private taxi to take us to some of the highlights of Bali.\nWe arrived at the end of the day with a view to seeing the sun go down. Unfortunately, the sky was overcast and we were unable to make the most of the evening sights.\nA beautiful temple with breathtaking views of the sea crashing against the cliffs. Surfers were trying to' catch a wave' during the time that we were there.\nThe place was extremely busy with many visitors hoping to see a great sunset - less tourists during the day.\nGardens were well maintained.\nThere were plenty of stalls/shops offering local gifts etc and places to get light refreshments - in fact a bit over commercialised. The toilets were filthy.\nWell worth the long drive to get there.\n.
(36) What a location of the temple! Don't miss the sunset at this point. Foreign tourists are not allowed to go all the way up to the temple, so can see only the bottom. Still a beautiful place to be.
(37) The temple itself is not worth the visit, as there are many better examples on Bali. However this has got to be one of the best views on the island. It's a bit of a pain getting here, but worth going if you're visiting other spots nearby.
(38) This is probably the most iconic and frequented spot amongst all the tourists in Bali -- as all other reviewers have mentioned in their blogs, this is a beautiful temple complex, kissed by the waves of the Indian Ocean. The actual temple is mostly inaccessible to the common tourist but we did see a few enthusiastic folks wade into the ocean for approx 25 metres and and reach the temple complex. Overall a very well maintained spot, specially in the evening during sunset.
(39) The appeal of this temple is it's stunning location, the lake surrounded by mountains, it's all very magical. The gardens next to the temple are beautiful and within the complex there are a restaurant, toilets, play parks and even a hut with a display of animals so there is plenty of occupy your time. The inner sanctums of the temples are not accessible if you're not a worshipper but much of the complex can be viewed from the gates.
(40) Nice view. Its not huge though, and we can enter the temple area, only the surrounding area. But still worth going when you are around.
(41) One of the must-sees in Bali! This temple is so beautiful and mesmerizing, we were awestruck when we saw it in front of us!
(42) Very nice place to visit. I must say it a must. Great place to shots nice pictures as well as knowing the history about the temple. There were some people there dressed in religious outfits sitting down the temple stairs when approached them they said that a ritual neeeded to be performed first with donation to reached go to the temple which was ridiculous. As it is one of the most famous when visiting Bali I think that guide tour should be included in the entrance ticket for people who goes to visit on their own.
(43) One of the eight (8) temples built on the edges of the Bali island to protect it, this is truly a remarkable piece of architecture from the past. \n\nThough the walk towards the temple itself may not be as impressive but the temple ground itself is very calming. Boast with a magnificent unobstructed view of the sea and chilled by the cooling sea breeze, this place is the best place for any individual who seeks to escape from the bustling city of Bali.\n\nLocals said it has one of the best sunset view in Bali so be sure to reach the temple before 5:30pm as traffic starts to pile up by then. Road access is very small and you don't want to be congested in the car and miss it.
(44) Went to see the sunset here after having a nice dinner a few meters away. We simply love it. The temples itself are not that big and you can reach them when the tides are low but its the picturesque landscape what shocks you with lots of angles and photo opportunities. Lots of souvenir seller gather around here and I managed to get the best prices for paintings here rather than any other place in the island. A great experience above all....
(45) We were charged $6 entrance fee, made to jump hoops (drink holy water, get a tika, etc.) only to be turned back at the entrance stairs that go around the big rock. We drove all the way from Ubud just for this temple and were terribly disappointed.
(46) This Temple is atop a hill and is quite difficult to photograph based on the distance you are from it. The sunset was exciting but not spectacular - we did not have a red sunset which we understand makes the rocks on the cliff face alight like fire - it would have been nice to see this but the weather hampered that - it is nonetheless a lovely evening stroll and worth a visit
(47) Lovely temple, set on a cliff side with stunning views of the sea and sunset. Entrance fee is 30,000 you should cover your knees and shoulders, they also hand out sashes for both men and women to wear. Very busy best to go early morning or late evening
(48) Visited at sunset, not too crowded. It is not the most impressive temple in Bali but it is a nice visit especially at sunset due to its West location.
(49) A must visit place, before going to the temple, visit the cheap shops around. they sell very cheap clothing and key chains. Coming to the temple only Balinese or Indonesains are allowed inside all others have to view from outside.
(50) Lovely views of the temple and sea.Brilliant location, we visited this temple on our very last day, the day we depart back to UK.
(51) If you look at the Trip Advisor description, this is listed as \#1 of 2 Things to do in Beraban\". You can imagine, then, in a place with only two things to do, the water temple which is in the middle of the sea and can only be reached at low tide and/or by swimming, would be popular. It is. We didn't try to go inside, and I'm not even sure if they let non-temple-types in, but just seeing it from the outside was a fun experience. You have to get through an outdoor market to get there, which has a number of different stores where people sell various wares, and you can get some good deals there - especially as you're expected to haggle. The temple sits near a beach where there are interesting rock formations as well, and there are larger grounds to explore too. There are hawkers on the grounds, but they are largely non-intrusive, but they do sell things for children (such as wind up toy planes) so if you've got young ones expect them to be more enticed."
(52) A must visit in Bali. You just cannot miss this beautiful temple. Mostly crowded all through the day. You cannot enter the temple as a visitor. Lots of restaurants outside the temple compound.
(53) First temple I've visited in Bali. It's a small temple and their is not a lot to see. The gardens around it are nice and the view is lovely. This is something you do for a hour if you want do something cultural. Be aware of all the tourist, it's busy.
(54) There is the Temple with surrounded with the wave of shore, it's amazing and fantastic. And you can see the beautiful sunset and nice beach.
(55) Many have complained about the crowds but any venue worth seeing is going to be crowded. While there may be other temples that are nicer, the setting here is what makes this place truly special and is so awe inspiring. If you come to Bali and don't take the time to go here, then you will have missed a real treat.
(56) The temple and surrounding lake is a very beautiful area to visit. However as with nice places it gets crowded at times.
(57) Find an afternoon to visit this wonderful spot. No hard sell from store owners, a great temple especially to visit at low tide for a blessing and just a brilliant sunset. Traffic is tough on the return but hey....you won't be driving.
(58) Nice temple, amazing seaview, price is 20.000 IDR, take care because of monkey. :D \nYo can go there by scooter, so dont have to spend money for taxi or local travel agency.
(59) It was raining when we arrived there so we ended up under one of may places to hide from the sun and the rain. There we met a group of students which wanted to practice English with us. They were so cute.\n\nAfter 15 minutes the rain stopped and it was like heaven.\nSuch a beautiful temple and a beautiful complex around it.\nTotally worth the visit.\n\nThe entrance fee is 50.000Rp
(60) This temple is located at an awesome place. Great cliffs and great sunsets from here. A must visit. Wear long pant if you do come .

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) Extremely many (and loud) tourists, and things to do that has nothing to do with a temple. Like pedalos and motorboats, and colorful statues.\nThe drive to the temple from Ubud was nice because it is located in the mountains. The temple has a lot of potential, but unfortunately it has become too touristic in my opinion.
(2) Very nice temple. We are lucky to be able to walk to the temple during low tide. You can enjoy half day there by sitting in the cafe at the hill top and looking to the nice scenery of the temple surrounding.
(3) Saw the temple as part of a tour. It was a lovely temple in the lake and a nice park surrounding it, even though I had imagined it to be bigger. It was packed with tourists, though, and the entrance fee was a bit steep for Balinese standards, plus you had to pay extra to use the (not so clean) toilets.
(4) One of the places which was in my bucket list, such an amazing view and very beautiful quiet crowded most of the time, being a temple place was disappointed as we cant enter the temple, it has turn into a commercial spot which is common all around the world in tourist destination, was able to capture lots of pictures and memories of this beautiful place till my next visit.\nHighly recommended spot to visit when in bali for its scenic beauty
(5) Whenever youll visit in Bali, dont forget to go that place. You can get an overview of seeing a Temple which is surrounded by the sea. The better time to go that place after lunch because you can see mind-blowing sunset and to have peaceful breath. 👌🏼
(6) Just absolutely beautiful creatures and popular icon temples in Bali. Many pictures that you should take at this place. They have green garden, some dears and playground too. Love this place so much!
(7) The temple is built over a cliff . It is a very small temple but the architecture of the temple with natural beauty of the cliff is just a breathtaking sight . Good place to view the sunset.
(8) I love to be here and enjoy the view of temple around. the place is so quite place in the morning and less visitor. I recommended to visit in the morning around 6 - 9 AM. Beautiful and lovely place.....
(9) It is a beautiful place. You well see many locals getting ready to go in for the prayers and I found it fascinating to see their traditions. Try to get there before 4 as many people want to be there for the stunning sunset and fire dance at 6pm.
(10) We arrived at high tide and as we walked out to the point got swamped by a rouge wave. It would have been much nicer to go at low tide and walk across to the temple. It was overrun by Muslims from Java and they all wanted to take a photo with my daughters like they were a novelty - Say no strongly, we thought at first they wanted us to take their photo but they wanted us in it!!\nIt is still a lovely place but I think our timing could have been better
(11) This is a water temple found in the sea. Best part before you reach this destination it is surrounded by cafe, shopping arcade and restaurants.
(12) This is a great place for people to learn about the history of Bali and to appreciate the people. There are great views and lots of shopping. The temple in the water is a must see.
(13) Must see tourist attraction if you are visiting Bali. Very picturesque temples by the sea with one set of temples in the middle of the sea - during high tide
(14) The gardens and surroundings were beautiful, the temple was breathtaking. Our children had there photo taken with a huge snake with the temple in the background which was special.
(15) Whilst its a beautiful place to see, its not like you could “see” that much. You couldnt enter any temples, so it was all from afar. \nThe shops that there were, were good. We went into the Ralph Lauren shop and were treated beautifully and the cost was less than Australia. \nWe met some cute Luwaks and had the coffee at one of the coffee shops. \nIt was quite a busy place. Many people there to see the temple over the water, which we couldnt access as it was high tide.
(16) One of the nicer, postcard temples in Bali. It's a bit of a circus of souvenir stores and eateries out front. The best views are not from the rock platform on the beach (which at high tide or big swell can be dangerous). Rather walk up the hill, as far as you can go before the back entrance to the golf course, and sit at one of the several restaurants on the cliff top looking back over the temple/island. There's a lot less people up there, I'm surprised that some of the bigger restaurants/ businesses haven't taken advantage of this spot, but I guess that's a good thing. Very nice at sunset.
(17) Enjoyed walking along this beach and stopping in the many little shops and the bars/restaurants.\nMade a day of it and we were lucky enough to be there for the monthly Sunday market (so bought some homemade oil for aches and pains).\nThe beach is a nice mix of beachfront bars and quiet areas that many of the locals go to. Since we were still there after temple (4:00 p.m.) we enjoyed watching the many families come to enjoy some late afternoon socializing and swimming.
(18) Located in the near of the lake, on the mountain, this temple has a great view with a fresh air. Make sure your camera is on and has enough memory, so you can save your memory of this place. You can take your foods or has your lunch here. But for advice, visit this place not in the rainy season, coz you can miss the camera spots. Like most of the touristique in Bali, this temple has also its shopping area. For your information, the 50.000 IDR money has choosen this place for its picture. Take your money and proove it or take picture with this money while you are at Ulundanu Beratan.
(19) Beautiful part of the culture. Gets a bit busy... Some of the tourists aren't so respectful of it being a temple
(20) More than what you're able to see from the temple is the views that will make your mouth open of excitement. Be prepared to pay 30,000 rupiah for the entrance plus parking. Also remember is a temple so cover you're knees if you're outfit doesn't fit they're dress code they will provide with suitable clothing.
(21) Even if you don't visit the temple and all the vendor stands, come here for the sunset over the Indian Ocen.
(22) Even if it is very far to reach, but this is one of the most amazing temples in Bali. It takes you around 2 and half hour from Nusa Dua
(23) A wonderful temple to visit , you drive though beautiful rice fields, hills to the temple on the lake\nIt is very serene and quiet. Great photo opportunity too \nIt was not too busy so got to spend some quiet time enjoying the beauty of the temple surroundings
(24) Absolutely beautiful views over the cliffs. The temple itself is stunning as well. Very friendly guides to take you through, very good price as well. Remember to have water during the walk though!
(25) Beautiful area and temple but too busy and too touristy. Its a tourist trap but not without good reasons. So its really nice to be there, but better be there early in the morning I think when there are less people..
(26) The entry and the walk through is beautiful and Attractive.\nLots of shops enroute.\nHowever, one may enter the temple if and only if you sincerely & seriously want to pray and come in balinese traditional attire. The so-called holy snake is a poor being captivated by ruthless humans in the name of religion..
(27) The scenery is nice, the setting is beautiful, but as a cultural/religious site it was very bland. Not only the most interesting parts cannot be approached or entered, several parts of the temple were being renovated, so there wasn't much to see.
(28) A really beautiful place to see a unique temple with awesome views. It is a very popular place for tourists. We have to walk down to water to view temple closer.
(29) It's look a like to the more famous temple in south east Bali. Very crowded with tour buses. Still worth a visit.
(30) We were not able to visit the temple with high tides but had an amazing sunset experience. The place is very scenic and no wonder you will find it in pics of various tour websites.\n\nThe place is very crowded though especially for the sunset. So, if you are not a crowd-loving person, plan your trip early in the day.\n\nA word of caution, the tides here can suddenly go scary high (no exaggeration) so don't leave the young kids unattended near the waters even otherwise. Enjoy !!!
(31) Another of the Temples that we visited whilst we were in Bali, some of these are very popular with the tourist, and we could see why.
(32) Beautiful Temple by the lake with plenty of photo opportunities. Just be armed with patience as it is too crowded....my advice: go early
(33) If you are travelling to Bali in 4Q13, you may give this a miss - the temple is under renovation and the place disappointingly looks like a giant construction site.
(34) It is one of the most wonderful Hindu temple I`ve seen on the island of Bali. Quite far if you`re staying in the Northern part of Bali like Ubud. You`ll truly be mystified by the wonders of this temple, the mist that was brought by the waves slamming on the walls, the cool breeze and weather made this place worth visiting. There are cheap souvenir shops located just outside the temple better grab some souvenirs here. cheers.
(35) A beautiful temple by the sea.! Very unique scene and lotsa beautiful spot for picture opportunities. \nWe walked across the shallow waters to the base of the temple and realise people have to be \Blessed\" and give a little donation first before we can head up to the temple. So we decided to just walk around the temple and did not head up eventually. \n\nThere are a stretch of shops for shopping as well. Would recommend a visit to this place.!"
(36) We were lucky the sun shone from the skies after a big drizzle as we reached the temple. Must take the ferry ( costed us $15) which takes a little ride in the lake with stunning views of the temple from the lake .
(37) We ere there in the evening & many people were walking on the link between the temple & the mainland. The waves are impressive in size.
(38) Beautiful place to visit in Bali , a nice shopping are around the temple. \nSunset can be best viewed around 6 onwards .
(39) This place is beautiful and a must on your trip to Bali. The backdrop is gorgeous and a perfect for really memorable photographs! The sunset is by the ocean is breathtaking and the entire area is serene ! Good souvenir shopping options outside the temple!
(40) I think the reason some of the reviews for this temple are bad are because the price is relatively high to see it and it sits within a large site which feels like it has been overly cultivated specifically for tourists. There are fibreglass animals throughout the park. There are hardly any Balinese there, mostly Muslim, Chinese and Western tourists.\n\nThis is a tourist photo op spot. After a picture there is little to see. I can not understand why people have this as a must see. If you just want instagram pics and not to participate in a meaningful way with another culture go here!\n\nWhen our Balinese homestay host asked us later what we thought we both looked embarrassed and said it felt like Disneyland and he laughed loudly and nodded.\n\nThe actual temple area within the garden seemed closed as many temples in Bali are due to tourists. We were in suitable temple dress and after wandering around aimlessly for a while asked an official and smartly dressed ground attendant if we could have a look. He indicated us to please go in but when we did we were met by a group of Balinese men sat chatting under a bale who denied us entry because they were setting up for a ceremony. We weren't too dissapointed by this.\n\nThe monument honouring Buddha in the grounds was special.
(41) We arrived around 3pm and it wasn't too crowded. Was abit overcast to wait for a sunset. We didn't walk over to the temple as you can't get in so just view from the ridge. Was a lovely end to a tour.
(42) If you wanna see hundreds of chineses people go there if not dont! Dont waste your time, there are better temples!
(43) Visiting this temple woman's must cover their lower body. Best time when to visit - I would say 1-2h before sunset. Its plenty of time to check grounds of temple, take photos and just enjoy beautiful settting. When we were visiting one monkey grabbed phone from one tourists hands and other lost his hat and sunglases.
(44) Definitely worth a visit to watch the sunset. It is a peaceful and stunning setting and an amazing temple to look around.
(45) Beautiful, stunning views. Don't be disappointed with the size of the temple, go there for the views and spend more time to walk along the cliff
(46) It's a must to visit temple in Bali during low tide. So you can walk to the temple. Being along a hat or umbrella with sunblock.
(47) This place is combination of both religious spot and scenic beauty of the Blue sea :) You need to walk a bit to reach the temple. But the walk is filled with awesomeness to the eyes due to the scenic beach it is surrounded off. Worth a visit.
(48) This temple is located in a beautiful place where your you can enjoy a majestic scenery. Sunset was gorgeous. U have to walk a bit but it is worth it to walk around and see every bit of the place. There is also a market around it on your way in and out of the place if you want to buy some souvenirs. It is a must see.
(49) One of the most beautiful temples in Bali, especially at sunset. With the tide surging around the temple, the bells and clongers ringing out in the breeze you know you are somewhere special.\nThere are many stalls and restaurants for casual shopping and eating. If you have your wife or girlfriend with you BEWARE! There is a shoe shop with handmade shoes for $7.50 Aus. My wife bought 8 pairs!!!!!
(50) It's a nice temple with good pictures taking. It is jamed packed with tourists. You can't go inside the temple. It's nice to go just for the view.
(51) We always go to Bratan Lake and Pura Ulun Danu when in Bali.\nIt is still one of the “must see” sites in Bali, even though it becomes more touristic every year. In 2012 wearing a sarong was not mandatory anymore…
(52) We drove there from Echo Beach with scooter. It was an easy ride (not so much traffic) compared to the other side of the coast plus there were signs everywhere indicating the way to the temple. When we arrived there to my surprise the Temple area was a touristic village with many little shops and cafes. Also very crowded. The view and the location is worth it. You cant actually go in the temple as it is closed to public but you can walk alongside the beautiful view and maybe do some souvenir shopping. Some surfers were trying to catch a wave beneath the Temple although the signs indicate you are not allowed to go down the cliff. There was a small fee entrance. We spend about an hour and a half there enjoying the view.
(53) One of the nicest temples we have visited in Bali. It was pretty crouded, but that you can expect at the touristic highlights. The price was € 3,50 pp. Besides the Temple there are a lot of shops and restaurants.
(54) Cars aren't allowed up and for good reason - narrow and steep roads. Scooters are fine.\nThere's no fixed entrance fee but they do require sarongs (10k rentals) and politely request for donation (any amount). The temple is ~650m above sea level so the air is cool and refreshing.\nThere are multiple levels that require a good amount of hiking and most people stop at the first which is the most photogenic spot.\nThe morning sun would be the best in terms of getting good lighting and avoiding the crowds. \n1 star docked from a 5 star attraction because it can get overcrowded.
(55) I finally made it to this attraction on my third holiday in Bali, was on my to do list and so worth it. I was mesmerized by the beauty of the place and views of the ocean, temple and cliffs, various stalls along the way should you want to buy some gifts or something for yourself. Beautiful gardens and beautiful temple. For a donation you can be blessed at the temple also. Wasn't there long enough so plan to return for sure and explore some more.
(56) Great experience with picturesque scenery. Get to see the holy snake & being blessed at the temple with holy water flowing from the rock.
(57) The temple is one of the finest landscapes in Bali. It is right on the seafront. The sunset from this place looks awesome.
(58) This is probably not the most beautiful or the most sacred but it certainly commands one of the most picturesque locations of all the temples in Bali. Nestled on the seashore with incoming waves the temple takes on an aura no other one has. Spend some time to explore the grounds and several other temples on site---it is quite inspiring.
(59) When I arrived here, I thought - this is what I think of when I think of a Balinese temple. I was so excited. It was a beautiful place and very quiet. I loved it. \n\nA definite must see for those who enjoy temples.
(60) I'm glad I did visit this temple. There is a holy water under the temple. Those people who help you to walk pass the water are very nice.

View File

@@ -0,0 +1,64 @@
[TOPIC] 2
[Stats] N=60 | Source=../data/original/reviews.tab
(1) Very picturesque but incredibly crowded as we arrived on a Sunday during a school holiday period. Entry is 50000IDR per adult and you dont need a sarong if your shoulders and knees are covered. Lake itself is beautiful as are the temples. Not sure about the fiberglass duck and swan peddle boats however!
(2) You have to visit these 'must see' places to realise that they aren't!\nAfter paying the 30k pp entrance fee you have to go through the market with all the usual tourist tack - gives them a fair wack at your wallets contents but doesn't enhance the experience.\n\nThe temple itself is on a small rock just off the coast. This is about the only special thing about it. It is interesting for the history - which isn't explained anywhere on site so research it 1st. \nBest to visit at low tide so you can get closer but you can't visit the actual temple.\nThere is a fresh water spring (holy water they say) at the base of the rock where you can get a blessing (and pay of course).\n\nThe best views are from a distance so maybe at high tide you don't miss anything after all.\n\nPhotos at sunset are all the rage but I can only imagine the crush to get just the right spot to get the sun setting behind the temple.\n\nAll in all - been there, done that, won't be back.
(3) Main reason to visit this temple is the great view from the cliff. Unfortunately this place is heavily overcrowded. Cant recommend this place!
(4) A totally must do, when in Bali. Great experience. Trip to the temple is so scenic and picturesque. Stop over at the rice fields.
(5) Unlike many other temples in Bali, this one is in the sea, but still reachable by feet. However, consider going earlier in the day in the rainy season. Also, there is very big market with lots of souvernirs in front.
(6) A place with oceanic view but tourists are not allowed to visit inside the temple. Walk around temple premises and viewing sunrise and sunset are worth. Clean beach.
(7) Its a little over an hour drive from Ubud for us. Entry ticket is $3 per person if I remember correctly. I personally love this water temple. Its beautiful and relaxing, the air is fresher i feel. The lake is surrounded by magnificent mountains. Also, Its much cleaner than I thought, and quite well maintained.
(8) Beautiful temple with lake and mountain nearby offers a great scenic view. Must visit in Bali tour for few hours
(9) Sounds kind of obvious but we went at sunset and the tide was out. It was pretty underwhelming though the sunset was nice. \n\nBy this point I think I was a little bored of being charged to go near temples and being bombarded by people selling toot.
(10) This is one of the must visit place if you go to Bali. I went with my friends there and although this is not my first time, we are still amaze with this stunning ancient temple who stand on the sea side.\nIt is better if you go there just before the sunset .
(11) The temple is build on the edge of a cliff... It is Amazing, to say the least...\n\nThe Ocean below presents a breathtaking view... Its spread over a huge area so be prepared to walk around... Remember not to wear fancy flipflops or hats , as monkeys will be waiting to grab them from you!\n\nJourney to the temple may be tedious due to traffic, if you are planning to see the sunset. We actually returned from mid way after the traffic didnt move for one hour. Next day we ended up going early morning, and trust me it was mesmerizing... very less crowd and extremely peaceful...
(12) Really really enjoyed this. Beautiful landscape. Well kept gardens. The tide was high so we never made it to the temple on the water (Tanah lot) but plenty of photo opportunities of the beautiful temples. Very busy with loads of tourists. Lots of markets and we really loved the fact we were not harassed by the vendors. Lots of beautiful places to eat and highly affordable. Go and check it out.
(13) Great location, friendly and very helpful locals. Balinese people mostly are quite hospitable. Definitely will be returning
(14) I visited a few temples before coming here and i have to say this one was one of my favorites.\nThere'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.\nWe 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.\nWe 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.\nA couple of down points.... you still get harrassed by sellers selling their wears such as postcards, plastic kites etc.\n - not being able to reach the top of tge atual temple itself was a bit of of a disappointment.\n - people still leave their rubbish around.. plastic bottles were a particular problem.\n\nAll on all though i cane away glad to have made the journey and would recommend this being worth a trip out.
(15) This temple shows up on many Bali postcards and photos- and no wonder because it shows really nice in photos. There were lots of tourists when we visited but you can still find a spot to take pictures.
(16) Located 1200 mtrs above sea level and 70-80 minutes by car from Ubud, this place is amazing. The temple is situated on the lake between the mountains. Magical scenery. \nThe grounds are kept clean and the gardens are really beautiful. You can rent a boat and go out on the lake as well.\n\nWe arrived there before noon, the weather was nice and cooler than in Ubud. It was not crowded at all. Witnessed a religious procession and managed to take great photos.\n\nIf possible, go early, combine with a trip to Jatiluwih rice fields and Gitgit waterfall in Singaraja.
(17) So worth a visit, not a temple as most Westerns perceive it, but a tranquil spot. Just for a walk or contemplation, you will be captivated by it's beauty and superb maintained surroundings. Can't recommend enough
(18) They managed to build a whole touristic village around the temple including Ralph Lauren shop. A peek on the holy snake or a blessing with holy water will require a donation. From Tanah lot you can see the 5star hotel Trump recently bought. All of this sounds like a very sacred place doesn't it?
(19) Busy place by the Sea. Two separate temples situated on the edge of the Indian Ocean. Go and enjoy the locale, appreciate the history and if you can watch the sunset. The large temple can only be accessed at low tide via a land bridge. We got there at dusk and enjoyed not only the sunset but the incoming tide as the land bridge slowly disappeared in the rising waters. Truly a fabulous place and an incredible experience.
(20) It's a good place for some picturesque photographs and enjoying the weather. However, it's very crowded so it is difficult to experience peace in the beautiful area around the temple.
(21) # 3 in 1 : Mountain, lake and temple.\n# Cool temperature.\n# We managed to take pictures with friendly local and their traditional Balinese costume.\n# We spend about 1 hour (went there by private tour driver)\n# Lots of halal warung nearby.
(22) Its was a very long drive from Nusa Dua, its best advised to visit this place when you are in Ubud!\n\nVery beautiful temple and if you are lucky you can walk up to the temple if there is a low tide,so plan you trip! \nYou are not allowed inside the temple so set your expectations right, you can get a click on the temple from outside and most tourists click pictures of the waves hitting the rocks in the background which is worth a click. Other wise nothing more to offer.
(23) This is in of Bali's many hindu temple but with the extra spectacular view over the waves approaching the coastline. Pay the entrance fee of 300000 Rp and borrow a sarong before regering. Well worth a visit!
(24) As my expectations were high on taking good photos of this temple, the unexpected rainfall ruined it all. Nevertheless, this temple is still a great place to visit. There were kids practicing Balinese dance when we arrived there. Their dances looked gentle & 'soft' to me. One thing that I admired the most about Balinese is the way they preserved their culture.\n \nThe design of the temple is unique and well preserved. Overall, it was a great experience visiting one of these Indonesia's great landmark ! Wish that the weather could have more mercy on us for taking greater pics there 😕 Better luck next time...
(25) We visited this place on our honeymoon, we couldn't go to the temple because of the high level of the water, so we see it only from across the road. If we would have been waiting there a couple of hours we could have seen it! It was beautiful, once in your life you need to visit this place!
(26) We visited this picture postcard temple late afternoon. The whole place is swarming with tourists and sellers trying to access the masses X however it's still beautiful and it's still a fantastic location X for those with mobility issues its a tad difficult due to the amount of steps and the slippery stone walk out. But this place is something special and breathtaking X my husband made a wish at the holy snake and we walked over to the other side to see another temple also. The markets here are fantastic value and I will recommend these than anywhere else.
(27) This was my favorite Bali temple. With that said it is a log journey from Semenyack. Not as commercialized as some of the other temples but very nice. The grounds are well kept and they held true to traditional practices such as the sarong. The focal point is a beautiful pair of buildings on the lake. Entrance fee is 30,000 Rp per person.
(28) Neat, but so overcrowded that it takes away from the experience. Didn't even bother walking down to the main temple when we saw the volume of people. I'm sure it would be better if we went at sunset.
(29) When I entered into the attraction area I was bit confused where to go to see the temple and there are lots of street shops there. The temple is not accessible for guests however worth seeing it from the top or near. We went up to the top and had rest at the restaurant at the top which gave us very good view to the temple and had a good photo shooting. Highly recommend this.
(30) Unique to see an \island\" in the sea; where you can walk across to the temple (during low tide). Good place to have sight seeing as well as little shopping for souvenirs"
(31) A must visit when you are in Bali \nTry to get a guide in order to understand the story behind each temples , do no ttake the guides that rush to you but choose the ones that are waiting for you and not running after you
(32) By far the best temple in Bali to visit. Amazing ocean and sunset views as well! The only tough part was getting out of there after the sunset as it was rammed
(33) The temple, built in the 1600s, this place is of historical and religious significance. We came in the morning, so there were fewer people than normal. This made it easier to get unobstructed views. The toilets inside cost 2000Rp to use, so be sure to carry some small notes if you need to go. I'd recommend the drive there to anyone visiting Bali.
(34) One of the most beautiful temples we've seen in Bali. Clean, beautiful gardens, nice environment. A must see in Bali.
(35) This is a beautiful temple located on top of a 200 m cliff protruding into the ocean, just above breaking waves of the Indian Ocean - the cliff runs ob both sides, giving the opportunity to see the temple from almost all sides. A stunningly beautiful place
(36) Interesting hindu temple on the lake. Genuine place of worship and big ground to walk and relax. You can see a few deers in one area.
(37) This is one of the most beautiful attractions in Bali. The combination of beautiful temple surrounded by lovely lake and the lofty mountains as the background is rare. You breathe tranquility here although many people come to visit it. The history is religious tolerance and harmony can be traced here as this is a Hindu temple, but in front of it there is a buddhist shrine and an islamic mosque can be found in nearby place!
(38) Even that you have very limited time, go to this place for the sunset. It is just memorable. The sun, the temples and the sea are the best picture to live.
(39) The temple by itself isn't the nicest on Bali, it is it's location what make it so special & must seen place in Bali. We had a nice walk along the cliffs and the view was truly amazing. Closer to temple it was crowded, so we managed to find quiet space further from it to enjoy sunset.
(40) Nice view of the sun setting at dusk. From a high ledge. Overlooking a beach. And behind are temples with monks praying. This is tourist bliss. A good place to take nice everlasting pictures. Could be crowded towards sunset but hey, that's the general idea😎😎😎 there are areas with network based wifi AND free WiFi though epileptic.
(41) I have been there sometimes abd bring my family and friend to see this beautiful place. the temple is in the lake floating. And do some speed boad ride with my wife, it was wonderful experienced. have a visit, you will vibe and amaze the view and surrounding.
(42) This temple is wonderfully set in a dramatic cliff top setting. Beautiful at sunset (albeit a bit busy!) An honestly beautiful place to visit.
(43) Like most of Bali, its all commercialised. The temples have no real history or significance. Just ended up going out of boredom.
(44) 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).
(45) Firstly, the views really are amazing and we took some fantastic pictures, we were there at low tide so we could walk over to the temple no problem. However when we got to the temple and climed the stairs, about half way up, it was all sealed off and you could not go any further. Bit diasspointed to pay into a temple and then find you cant even go inside it. We walked over to the other bit of the temple, which is a bit easier to get to however that was all sealed off too.Great photo taking opportunity but other than that it's nothing to get excited about!
(46) We visited this temple 8 years ago. It used to be a charming, even impressive site: the temple rising from the lake, the mountains, the quiet, ... Now it's an overrun, kitschy spot. Granted, the temple is still there and the place is well kept, but there is no longer anything religious about it. There is a resort, garbage bins looking like Spongebob or strawberries, tourists in shorts taking selfies, speedboats rocketing on the lake, ... No, just no.
(47) Nice temple on the sea but unless you go very early in the day or there is a very nice sky for sunset it is a bit overcrowded for the experience. Lots and lots of handicraft stalls and pushy market people.
(48) We visited time a lot first thing in the morning at low tide and we were happy to be able to go near the temple and we were blessed by the holy men who were there it was amazing I would do it again in a heartbeat! P. S. Make sure you get there early!
(49) comparing with bali's other temples its small with not alot of things to see and do... i loved the fact that its built on the water so you have to walk on its beautiful beach to reach your destination where you get the blessings and wash your face with its purifying water placing rice on your forehead...there is also a wall of rocks where people there place their hands its to connect with the spirits in that place (this is what they told us)... its always a beautiful refreshing experience in any temple in bali!
(50) While this is a beautiful temple - you can't see very much, even if you are able to walk over to it during low tide. There are other temples that I felt we learned much more about Bali / Hindu culture and were just as beautiful. It's also very, very crowded with tourists. If you go, I would suggest going early in the day to avoid the sunset crowd.
(51) This objek is very populer in Bali,would you came and see nice sunset at 18,00.Temple on the black rock
(52) Not easy to drive there. It was on our way to the North, but it is one of the best temple in Bali. You access almost everywhere and see everything. It can be a bit busy so choose an early time in the day if you can. Don't drive pass this place, you have to see it!!
(53) If you see one temple in Bali this it it beautiful but very very busy lots of people trying to sell you stuff won't leave you alone ruins the atmosphere
(54) Truly wonderful experience , an unique temple, such a shame many people are not able (due to their religion) to actually enter temple. However a worthwhile visual memory of Balinese culture. \n\nHowever it is spoilt a fraction by the usual market area but this is everywhere nowadays. Also many people attend the ceremonies especially around sunset, but this is worth the visit.
(55) There were way too many tourists brought in by the bus loads! There are other temples, especially in the Ubud area that have more interesting architecture and history. This temple is unique in its location on a spit of land isolated by the ocean during high tides, but there was a fair amount of trash on the beach leading to the temple, probably from all the tourists coming to visit. If we were doing Bali again, I would skip this temple and visit other more historically interesting temples in the Ubud area. People were jostling to have their picture taken with the temple in the background - rather unfortunate due to the high number brought in by buses.
(56) Though I had short stay in Bali were able to visit the temple breathtaking view of the sea quite and calmness of the serene add faithful to believe in their belief. Before I climb to the top of the temple to worship had to wear wrapper since I was wearing a short no worries if you do not have one care takers rent wrappers for small money I think its must see place whenever you are in Bali.
(57) I think it is seriously over rated. Was quite a sad experience. We could not even go to the temple because it was not allowed. And seeing it from below just for the sunset was not some thing that we were interested in. It was also too touristy!
(58) A must to see while in Bali! One of the most popular temples located on a seaside. There are many tourist but it doesnt feel much crowded as The whole complex is huge. When the tide is low it is possible to go near the temple.
(59) Lakeside temple, scenic view. However, there is not much to experience for the effort to reach the location.
(60) Beautiful temple, Big tourist attraction, Mesmerizing Sea view. Best place for relaxing and enjoying sunset.

Some files were not shown because too many files have changed in this diff Show More