From 00883b653e27ba43f6cfc9d1fc6e08ea31660d89 Mon Sep 17 00:00:00 2001 From: Zahra Kolagar Date: Thu, 10 Oct 2024 06:37:58 +0200 Subject: [PATCH] initial commit --- .gitignore | 37 + Qwen_sentiment_analysis.ipynb | 1502 +++++++++++++++++ README.md | 138 ++ config.py | 16 + data/sampled_dataset.tsv | 1001 +++++++++++ data_loader.py | 96 ++ plots/step_1_accuracy_plot.png | Bin 0 -> 23811 bytes plots/step_2_accuracy_plot.png | Bin 0 -> 24171 bytes plots/step_3_accuracy_plot.png | Bin 0 -> 24154 bytes plots/step_4_accuracy_plot.png | Bin 0 -> 24109 bytes plotting_predictions.py | 90 + predictions/step1_middle_model_prediction.txt | 127 ++ predictions/step1_small_model_prediction.txt | 1 + predictions/step2_middle_model_prediction.txt | 125 ++ predictions/step2_small_model_prediction.txt | 125 ++ predictions/step3_middle_model_prediction.txt | 125 ++ predictions/step3_small_model_prediction.txt | 125 ++ predictions/step4_middle_model_prediction.txt | 127 ++ predictions/step4_small_model_prediction.txt | 126 ++ requirements.txt | 14 + 20 files changed, 3775 insertions(+) create mode 100644 .gitignore create mode 100644 Qwen_sentiment_analysis.ipynb create mode 100644 README.md create mode 100644 config.py create mode 100644 data/sampled_dataset.tsv create mode 100644 data_loader.py create mode 100644 plots/step_1_accuracy_plot.png create mode 100644 plots/step_2_accuracy_plot.png create mode 100644 plots/step_3_accuracy_plot.png create mode 100644 plots/step_4_accuracy_plot.png create mode 100644 plotting_predictions.py create mode 100644 predictions/step1_middle_model_prediction.txt create mode 100644 predictions/step1_small_model_prediction.txt create mode 100644 predictions/step2_middle_model_prediction.txt create mode 100644 predictions/step2_small_model_prediction.txt create mode 100644 predictions/step3_middle_model_prediction.txt create mode 100644 predictions/step3_small_model_prediction.txt create mode 100644 predictions/step4_middle_model_prediction.txt create mode 100644 predictions/step4_small_model_prediction.txt create mode 100644 requirements.txt diff --git a/.gitignore b/.gitignore new file mode 100644 index 0000000..4a68547 --- /dev/null +++ b/.gitignore @@ -0,0 +1,37 @@ +# Ignore Python bytecode +__pycache__/ +*.pyc +*.pyo + +# Ignore Jupyter Notebook checkpoints +.ipynb_checkpoints/ +.ipynb_checkpoints/Qwen_sentiment_analysis.ipynb + +# Ignore virtual environment directories +venv/ +env/ +*.egg-info/ + +# Ignore environment configuration files +*.env +*.ini +*.yaml + +# Ignore local configuration files +*.local + +# Ignore log files +*.log + +# Ignore system files +.DS_Store +Thumbs.db + +# Ignore Jupyter Notebook output files +*.nbconvert.ipynb + +# Ignore other IDE or editor-specific files +.idea/ +.vscode/ +*.sublime-project +*.sublime-workspace \ No newline at end of file diff --git a/Qwen_sentiment_analysis.ipynb b/Qwen_sentiment_analysis.ipynb new file mode 100644 index 0000000..3e821a6 --- /dev/null +++ b/Qwen_sentiment_analysis.ipynb @@ -0,0 +1,1502 @@ +{ + "cells": [ + { + "cell_type": "markdown", + "id": "a9689c2c", + "metadata": {}, + "source": [ + "# Loading the Dataset\n", + "\n", + "In this section, we will load the **training** dataset from Hugging Face. Given the dataset contains approximately 40,000 samples, we will reduce this to 500 samples per class due to memory constraints on my personal machine, however this reduction will be done in several steps to make sure we have a diverse dataset. The process involves several steps:\n", + "\n", + "## Stratified Sampling:\n", + "\n", + "We will first select a total of 12,000 samples from the dataset, comprising 6,000 samples from each class.\n", + "\n", + "## Sentiment-Based Sampling:\n", + "\n", + "Upon reviewing the data samples, it is evident that some samples are ambiguous regarding their sentiment and could be labeled as positive, negative, or neutral. Additionally, some samples may have been incorrectly labeled.\n", + "To address this, we will perform sentiment analysis using the TextBlob model on the 6,000 selected samples. We will then select only those rows where both the model's predictions and the original labels agree. From these, we will randomly select 2000 samples per class to further refine our dataset.\n", + "\n", + "## Semantic Similarity-Based Sampling:\n", + "\n", + "To enhance diversity, we will compute semantic similarity using the Sentence-BERT model for all possible pairs of reviews within each class. Finally, we will select 500 least similar samples per class to ensure a broad representation of examples, amounting to 1000 samples in total.\n", + "\n", + "\n", + "**Note:**\n", + "\n", + "I acknowledge that selecting a small sample size may affect the accuracy of the model. However, to meet the constraints mentioned above, I aimed to choose the most diverse examples.\n", + "\n", + "In Step 2, it would be beneficial to run at least one more similarity model and compute inter-annotator agreement. This approach treats the models as additional annotators alongside the original labels, ensuring we choose the most accurate labels for a better understanding of the LLM's performance.\n", + "\n", + "You might consider the following options for additional models, though I have avoided using them for this task to minimize unnecessary overhead:\n", + "\n", + "1. FastText: Developed by Facebook, FastText allows for quick text classification. You can train a FastText model on your sentiment data and use it for predictions.\n", + "\n", + "2. VADER Sentiment Analysis: Specifically tuned for analyzing sentiment in social media text, VADER works quickly with a straightforward lexicon and can be effective for movie reviews.\n", + "\n", + "3. Smaller Transformer Models: Consider using models like ALBERT or RoBERTa, which have been optimized for speed and may perform faster than BERT. Several fine-tuned BERT-based models for sentiment analysis are available on Hugging Face." + ] + }, + { + "cell_type": "code", + "execution_count": 3, + "id": "4cb89300", + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + " review label \\\n", + "0 I saw this film on TV many years ago and I saw... positive \n", + "1 If you had asked me how the movie was througho... positive \n", + "2 Another one of those films you hear about from... positive \n", + "\n", + " textblob_predicted_label \n", + "0 positive \n", + "1 positive \n", + "2 positive \n" + ] + } + ], + "source": [ + "# Loading the saved data. the code for creating this sampling is available in data_loader.py\n", + "import os\n", + "import pandas as pd\n", + "from config import SAMPLED_DATA_PATH\n", + "\n", + "sampled_dataset = pd.read_csv(SAMPLED_DATA_PATH, sep='\\t')\n", + "print(sampled_dataset.head(3))" + ] + }, + { + "cell_type": "markdown", + "id": "6ff5960d", + "metadata": {}, + "source": [ + "## Basic Data Analysis\n", + "\n", + "**Note**\n", + "\n", + "Normally class '0' is associated with negative label and class '1' is associated with positive label. However, in this dataset, this was not the case. To avoid model bias in prediction, we mapped the 0 and 1 to their corresponding classes in this dataset, namely positive and negative respectively. \n", + "\n", + "### Lexical Diversity:\n", + " I measure the range of unique words (vocabulary richness) in each class. This could help identify differences in how the positive and negative reviews are expressed, which might affect the LLM's ability to generalize across different sentiment tones.\n", + "\n", + "### Sentiment Word Count: \n", + "I analyze the frequency of sentiment-specific words in each class. For instance, words like \"love,\" \"amazing,\" \"horrible,\" or \"terrible\" might appear more frequently in one class. This can indicate whether the LLM is biased towards recognizing certain sentiment words.\n", + "\n", + "### Polarity and Subjectivity: \n", + "I use TextBlob to analyze polarity (positive/negative sentiment) and subjectivity (degree of opinion). This can serve as a comparison baseline for the LLM’s predictions." + ] + }, + { + "cell_type": "code", + "execution_count": 4, + "id": "49aa6b88", + "metadata": { + "scrolled": false + }, + "outputs": [ + { + "data": { + "image/png": "iVBORw0KGgoAAAANSUhEUgAAAmYAAAGgCAYAAAAAdau+AAAAOXRFWHRTb2Z0d2FyZQBNYXRwbG90bGliIHZlcnNpb24zLjQuMywgaHR0cHM6Ly9tYXRwbG90bGliLm9yZy/MnkTPAAAACXBIWXMAAAsTAAALEwEAmpwYAAA2jklEQVR4nO3df3zNhf////vZD5vmR6/12ogWESk/GgrzY/N7MjPGhCJSlBC9IkbJj2l+FPlRvZTwqUkzv0o2DK38KsaLVkph8nNmfm442855fv/wdr4NM2Tbc+12vVy6XHaeO+f5fOxY3M7z+TzPYzEMwxAAAAAKnVNhDwAAAIArCDMAAACTIMwAAABMgjADAAAwCcIMAADAJAgzAAAAkyDMgNtw5MgRPfroowoJCXH817FjR8XExNzxOkePHq0tW7ZIksaMGaOkpKTrlt+pp59+WufPn1fLli01fPjwHN/76aef1LJly7+1/txcuHBBvXv3dtwOCQnR+fPn//Z6+/Xrp4ULFzpuHzx4UI888ojee+89x7K0tDTVqlVLFy5cuOPtjB8/XrNmzbrh986fP6+JEycqODhYISEh6tSpk5YsWXLH28rLkiVLFBUVdcePHzlypJo1a+aYtUOHDnr55ZeVlpZ2R+v76aefNGTIEEnSnj179NZbb123/G7I63lu2bKlfvrpp7u2PcAsXAp7AKCocXd318qVKx23U1JS1KFDB9WqVUs1atS47fVFREQ4vt6yZYuefvrp65bfiRMnTuiee+5RmTJlJElxcXFq2rSpQkJC/tZ6b8W5c+dy/KP51+fr7/D399cPP/yg5557TpK0ceNGtWjRQuvXr9drr70mSdq2bZvq1aun0qVL35Vt/pXVatWzzz6r4OBgLV++XC4uLjp69Kj69OkjSQoLC7vr20xMTFS1atX+1jr69Omjfv36OW5HRkZq3Lhxmjlz5m2vq3bt2o7H/fHHH0pJSblu+d9VGM8zYBbsMQP+pnLlyqlSpUpKTk6WJM2ZM0ft27dXcHCwhgwZotTUVEnS2rVr1blzZ4WGhiosLEzbt2+XJPXq1UtxcXGaPn26Tp48qddff127d+92LH/vvfc0YcIEx/YSEhIc/zDt3LlTPXv2VOfOndWlSxdt3LjRcb/169erVatWjtvDhg3TxIkTdfjw4Rv+HEuWLFFoaKg6deqkPn36aP/+/ZKk06dPa8CAAXrqqafUo0cPDRkyxLE3KSYmRmFhYerUqZNatGihRYsWSZJGjRqly5cvKyQkRDabTY888ohOnz6t7t27a82aNY5tTp06VVOnTr3p9v/K399fO3bskN1ul3QlzPr376+MjAz9+eefkqStW7eqefPmkqT4+Hh16tRJHTt2VI8ePbRnzx5J0qxZs9SvXz8FBwfr9ddfV3p6ul599VUFBgaqV69eOnDgwA2fo9WrV+uee+7Riy++KBeXK69rK1asqBkzZjji6ffff1evXr0UHBysjh07asWKFZKkH374QR06dHCs66+3Z82apZEjR6pfv35q166dnnvuOZ08eVLr1q3Thg0btGDBAkVFRWn//v3q3r27QkND1blzZ8eetJSUFIWEhDgiKS9+fn6OnzG3eTMyMjRkyBCFhISoc+fOGjNmjOx2u2Pu48ePa+bMmdqxY4dGjRrlWH7hwgXVq1fP8XsvXQmphIQEZWZmatKkSercubM6duyokSNHKj09/Y6e56vsdrsmTpyosLAwtW/fXk899ZQSExMlSTt27FDXrl0VGhqq0NBQx+9ebssBUzAA3LLDhw8bvr6+OZbt3LnTePLJJ41jx44ZMTExxtNPP21kZGQYhmEYM2fONJ5//nnDMAyjVatWxq5duwzDMIzvv//emDVrlmEYhvHss88asbGxhmEYRosWLYw9e/bkWP7nn38aDRs2NKxWq2EYhvHqq68a0dHRxtmzZ422bdsahw8fNgzDME6cOGH4+/sbR48eNQzDMPr27ev4+up633vvPaNbt25GVlaWsWfPHqNFixaGYRjGDz/8YPTs2dO4ePGiY7527doZhmEYw4YNM6ZMmWIYhmGkpKQYTZo0MWbOnGmkp6cb3bp1M06fPm0YhmHs2rXL8dxc+zxVr17dSEtLM2JiYoz+/fsbhmEY2dnZRtOmTY2DBw/edPvXatWqlfHLL78YZ8+eNZo0aWLYbDbjzTffNObPn28YhmG0bNnS+OOPP4w//vjDaNy4sfHnn38ahmEYW7ZsMZo0aWJcuHDBmDlzphEYGGhkZWUZhmEYERERxogRIwy73W6kpaUZ/v7+xsyZM6/b9vjx443JkyffcC7DMIysrCyjVatWxpo1axx/Js2aNTN27txpbNu2zQgKCnLc96+3Z86cabRq1cq4cOGCYRiGMWDAAOP99983DMMw3njjDeOTTz4xDMMwRo0aZfz3v/81DMMwTp48aQwdOtSw2Wy5znPt4w3DMC5dumQMHTrUGD9+/E3nXb58ueN3Nzs72xg9erSRnJycY+6lS5c6/jz/unzEiBGObf7xxx9G8+bNDZvNZsyaNcuIjIw07Ha7YRiG8e677xpjx4697efZMP7/3+mdO3cagwcPdjwP//3vf40BAwYYhmEYvXv3NlatWmUYhmHs3bvXePvtt2+6HDADDmUCt+nqniBJstls+te//qWpU6fq/vvv13fffafQ0FDdc889kqTevXvro48+UmZmpoKCgjRo0CAFBASoSZMmevHFF29pez4+PnrkkUe0YcMG+fn5adu2bYqIiNCOHTuUmpqqV155xXFfi8Wi3377TaVLl1Z6eroqVKiQY12DBw/W1q1bNWvWLLVu3dqx/Ntvv9WhQ4fUvXt3x7Lz58/r7NmzSkhI0PLlyyVJ3t7eateunSTJw8NDH330kRISEpScnKxff/1VFy9evOnP0r59e02ZMkWpqan65ZdfVLlyZVWuXFnR0dG5bv/ee+/NsY6rhzPvu+8+NW7cWE5OTmrRooWioqLUunVrWSwWVa1aVVFRUWrUqJF8fHwkXdlL5Onp6TiHz9fX17E3ZuvWrQoPD5fFYpGnp6fatGlzw/ktFouMm3yKXXJysqxWq9q2bSvpyt7Utm3b6vvvv1fDhg1v+tw0aNBApUqVkiQ99thjOnfu3HX3adOmjd544w3t2bNHfn5+GjNmjJyc8j7wsWDBAn311VeSrvzOPvnkk3rttdduOm/nzp01ffp09erVS40bN9Zzzz2nSpUq6cSJE3luLywsTOPGjVO/fv20dOlSdenSRU5OTvr222914cIFx7mTWVlZuu+++657fF7P81/VrVtXZcuW1eLFi3X48GH98MMP8vDwkCQ99dRTGj9+vDZs2KDGjRs7DnfnthwwA8IMuE3XnmP2V3a7XRaLJcft7OxsSVcOJXbp0kWbN2/WsmXL9Omnn97ymwa6deumFStWKC0tTa1bt5aHh4dsNpuqVq2a44TolJQUeXp6Ki4uTv7+/tetx8XFRe+++65CQ0NzBI/dbldISIjjDQJ2u10nT55U2bJl5eLikuMfyashcOLECT399NPq1q2b6tevr3bt2uU4lHojJUuWVGBgoFatWqVdu3Y5DsnebPvX8vf3V0xMjNzc3ByHaq9Gyl8PY177ZyFJhmE4/jyuxvNfv3eVs7PzDef39fW94Yn469ev144dO9SpU6dct3ltbGRlZeW4n7u7u+Pr3MKkRYsWWrNmjbZs2aKtW7dqzpw5WrZsmcqXL3/Dea+69hyzq2w2W67z+vj4aN26dfrhhx+0bds29e3bV+PHj3dEz8088cQTys7O1p49e7Rq1Sp9+eWXkq78mYSHhysgIEDSlcOlVqv1usfn9Ty/8cYbjmXffvutIiIi1LdvX7Vq1UpVqlRxRGj37t3VokULbd68Wd9//71mz56tuLi4XJe7ubnl+bMB+Y1zzIC7qFmzZlq6dKljz9Fnn32mJ598Uk5OTmrZsqUuXbqkHj16aOzYsfrtt9+UmZmZ4/HOzs6OcPirNm3a6Oeff1Z0dLS6desm6co/XocOHXKcq7Z3714FBgYqJSVF69evz7FH7K98fHw0evToHO9kbNq0qb755hudPHlSkvTFF184TrAPCAhwBOSZM2cUHx8vi8WipKQkeXp6auDAgWratKkjymw2m1xcXGSz2W4YF926ddPy5cu1c+dOBQYG5rn9azVs2FB79+7Vjz/+qGbNmkm6EjU1a9bU559/7vhH38/PT5s2bXKcU7d161YdP35cjz/++HXrbNasmWJiYmS323Xu3DmtX7/+httu27at0tPT9fHHH8tms0mSDh8+rMjISFWtWlVVqlSRi4uL1q5dK+lKKK9Zs0aNGzeWp6enjh07prS0NBmGoW+++eaG27jWX38n/vOf/2j16tUKCgrS2LFjVapUKce5dXfiZvMuWrRIo0aNUtOmTTV8+HA1bdpUv/zyS66zXSssLEwTJkzQI488ovvvv1/SlT/nqKgoZWZmym63680338zxe3hVXs/zX23evFktWrRQz549VatWLcXHxzse0717d+3du1ehoaGaMGGCzp8/r9TU1FyXA2bAHjPgLuratauOHz+usLAw2e12VapUSdOmTZOLi4vCw8P1+uuvy8XFRRaLRZMmTVKJEiVyPL5NmzYaPny43n777RzLS5Qoofbt22vLli2qU6eOJMnT01MzZ87UlClTZLVaZRiGpkyZIm9vbx04cOCm7xDt1KmTNm3apJ07d0q68g/miy++qOeff14Wi0WlSpXS7NmzZbFYNGrUKI0ZM0bBwcG69957VaFCBbm7u6tJkyaKiYlRu3btZLFY1KBBA3l6eurQoUOqVKmS6tSpo6CgoOv2fNSqVUvOzs5q166dYw/FzbZ/rZIlS6py5crKysrK8c7LgIAATZ061XHI8OGHH9bYsWM1aNAg2Ww2ubu766OPPrrhuzUHDx6ssWPH6qmnnpKnp6eqV69+w+etRIkSmj9/vqZOnarg4GA5OzvL2dlZL7/8skJDQyVJH3zwgSZOnKhZs2bJZrPplVdeUaNGjSRdCYUuXbrIy8tLzZs3v6XLPfj7+ysyMlKSNHDgQI0ePVpffvmlnJ2d1bp1az355JNKSUlR//79NXfuXJUrVy7PdV7l6uqa67x16tTRjz/+qPbt26tkyZK6//771atXL/3666+Ox/v6+mrOnDkaNGiQevXqlWPdnTp10nvvvZcjvAYOHKjJkyerc+fOstlsevTRRzVy5Mg7ep6v6t69u/7zn/8oODhY2dnZatKkidauXSu73a7XX39dkyZN0owZM2SxWDRo0CA98MADuS4HzMBi3OqBfADFUlRUlB577DHVrVtXmZmZ6tmzpwYPHuzYMwUAuHvYYwbgph5++GFNmDBBdrtdWVlZateuHVEGAPmEPWYAAAAmwcn/AAAAJkGYAQAAmESRP8fMbrcrIyNDrq6uN3wHFwAAgFkYhqGsrCx5eHjc8ALRRT7MMjIytG/fvsIeAwAA4JZVr179hpfvKfJh5urqKunKD3jtNaEAAADMJDMzU/v27XP0y7WKfJhdPXxZokQJPk4DAAAUCbmdfsXJ/wAAACZBmAEAAJgEYQYAAGAShBkAAIBJEGYAAAAmQZgBAACYBGEGAABgEoQZAACASRBmAAAAJkGYAQAAmARhBgAAYBKEGQAAgEkQZgAAACZBmN2BzCxbYY8AFEv8vwfgn86lsAcoikq4OqvniKjCHgModhZNeaawRwCAfMUeMwAAAJMgzAAAAEyCMAMAADAJwgwAAMAkCDMAAACTIMwAAABMgjADAAAwCcIMAADAJAgzAAAAkyDMAAAATIIwAwAAMAnCDAAAwCQIMwAAAJMgzAAAAEyCMAMAADAJwgwAAMAkCDMAAACTIMwAAABMgjADAAAwCcIMAADAJAgzAAAAkyDMAAAATMIlP1c+e/ZsxcbGSpICAgI0YsQIjRo1SomJiSpZsqQkadCgQWrTpo327t2r0aNHKyMjQ0888YTGjRsnF5d8HQ8AAMBU8q18tmzZok2bNmn58uWyWCx64YUXtG7dOiUlJenzzz+Xt7d3jvsPHz5cEydOlK+vr8LDwxUdHa2ePXvm13gAAACmk2+HMr28vDRy5EiVKFFCrq6uqlq1qo4dO6Zjx44pPDxcwcHBmjlzpux2u44eParLly/L19dXkhQaGqq4uLj8Gg0AAMCU8m2PWbVq1RxfJycnKzY2VlFRUfrxxx81duxYlS5dWgMGDFBMTIyqVasmLy8vx/29vLyUkpKSX6MBAACYUr6fxPX7779rwIABGjFihKpUqaI5c+Y4vterVy+tWLFCVatWlcVicSw3DCPH7VuRlJR012bOS/369QtsWwBySkxMLOwRACDf5GuYJSYmasiQIQoPD1dQUJB+++03JScnKzAwUNKVAHNxcVH58uWVmprqeNypU6euOwctL7Vq1ZKbm9tdnR+A+fDCCEBRZrVab7ozKd/OMTt+/LheeeUVTZs2TUFBQZKuhNikSZN07tw5ZWVl6csvv1SbNm1UsWJFubm5OV4Jr1y5Uv7+/vk1GgAAgCnl2x6zefPmyWq1KjIy0rGse/fu6t+/v3r06KHs7Gy1bdtWHTp0kCRNmzZNY8aMUXp6umrWrKnevXvn12gAAACmZDEMwyjsIf6Oq7sEC/pQZs8RUQW2LQBXLJryTGGPAAB/S17dwpX/AQAATIIwAwAAMAnCDAAAwCQIMwAAAJMgzAAAAEyCMAMAADAJwgwAAMAkCDMAAACTIMwAAABMgjADAAAwCcIMAADAJAgzAAAAkyDMAAAATIIwAwAAMAnCDAAAwCQIMwAAAJMgzAAAAEyCMAMAADAJwgwAAMAkCDMAAACTIMwAAABMgjADAAAwCcIMAADAJAgzAAAAkyDMAAAATIIwAwAAMAnCDAAAwCQIMwAAAJMgzAAAAEyCMAMAADAJwgwAAMAkCDMAAACTIMwAAABMgjADAAAwCcIMAADAJAgzAAAAkyDMAAAATIIwAwAAMAnCDAAAwCQIMwAAAJMgzAAAAEyCMAMAADAJwgwAAMAkCDMAAACTIMwAAABMgjADAAAwCcIMAADAJPI1zGbPnq2goCAFBQVpypQpkqQtW7YoODhYbdu21fTp0x333bt3r0JDQxUYGKjRo0crOzs7P0cDAAAwnXwLsy1btmjTpk1avny5VqxYoZ9//lmrVq1SeHi4PvjgA61evVpJSUlKSEiQJA0fPlxvvfWW1qxZI8MwFB0dnV+jAQAAmFK+hZmXl5dGjhypEiVKyNXVVVWrVlVycrIqVaokHx8fubi4KDg4WHFxcTp69KguX74sX19fSVJoaKji4uLyazQAAABTyrcwq1atmiO0kpOTFRsbK4vFIi8vL8d9vL29lZKSopMnT+ZY7uXlpZSUlPwaDQAAwJRc8nsDv//+uwYMGKARI0bI2dlZycnJju8ZhiGLxSK73S6LxXLd8tuRlJR0t0bOU/369QtsWwBySkxMLOwRACDf5GuYJSYmasiQIQoPD1dQUJB+/PFHpaamOr6fmpoqb29vlS9fPsfyU6dOydvb+7a2VatWLbm5ud212QGYEy+MABRlVqv1pjuT8u1Q5vHjx/XKK69o2rRpCgoKkiQ9/vjjOnjwoA4dOiSbzaZVq1bJ399fFStWlJubm+OV8MqVK+Xv759fowEAAJhSvu0xmzdvnqxWqyIjIx3LunfvrsjISA0ePFhWq1UBAQFq166dJGnatGkaM2aM0tPTVbNmTfXu3Tu/RgMAADAli2EYRmEP8Xdc3SVY0Icye46IKrBtAbhi0ZRnCnsEAPhb8uoWrvwPAABgEoQZAACASRBmAAAAJkGYAQAAmARhBgAAYBKEGQAAgEkQZgAAACZBmAEAAJgEYQYAAGAShBkAAIBJEGYAAAAmQZgBAACYBGEGAABgEoQZAACASRBmAAAAJkGYAQAAmARhBgAAYBKEGQAAgEkQZgAAACZBmAEAAJgEYQYAAGAShBkAAIBJEGYAAAAmQZgBAACYBGEGAABgEoQZAACASRBmAAAAJpFnmC1atOi6ZXPnzs2XYQAAAIozl9y+8cUXX+jy5ctasGCBrFarY3lWVpYWL16s/v37F8iAAAAAxUWuYebi4qJ9+/bp8uXL2rdvn2O5s7OzRo4cWSDDAQAAFCe5hllYWJjCwsIUHx+v1q1bF+RMAAAAxVKuYXaVr6+vZs+erbNnz+ZYPmbMmPyaCQAAoFjKM8yGDx8ud3d3PfbYY7JYLAUxEwAAQLGUZ5idOHFCsbGxBTELAABAsZbn5TIqVKigixcvFsQsAAAAxVqee8y8vb3VqVMnNWjQQO7u7o7lnGMGAABwd+UZZhUrVlTFihULYhYAAIBiLc8wGzRoUEHMAQAAUOzlGWbBwcE3XP7111/f9WEAAACKszzD7M0333R8nZWVpW+++UY+Pj75OhQAAEBxlGeYNWjQIMftxo0bq3v37nr55ZfzbSgAAIDiKM/LZVzrzJkzOnnyZH7MAgAAUKzd9jlmx44d09NPP51vAwEAABRXt3WOmcVikaenp6pWrZqvQwEAABRHeR7KbNCggdzc3PTjjz9q06ZNOn36dEHMBQAAUOzkGWYrVqzQkCFDdO7cOWVkZOi1115TdHR0QcwGAABQrOR5KHPBggVasmSJvL29JUkvvvii+vXrp27duuX7cAAAAMVJnnvM7Ha7I8okqVy5cnJyuu03cwIAACAPeRbWvffeq/j4eMft+Ph4lS1b9pZWnp6erg4dOujIkSOSpFGjRqlt27YKCQlRSEiI1q1bJ0nau3evQkNDFRgYqNGjRys7O/tOfhYAAIAi7ZbelTlw4EBNmDBBkuTq6qo5c+bkueLdu3drzJgxSk5OdixLSkrS559/nmMPnCQNHz5cEydOlK+vr8LDwxUdHa2ePXve5o8CAABQtOUZZtWqVVNcXJySk5Nls9lUpUoVubjk+TBFR0dr7NixGjFihCTp0qVLOnbsmMLDw5WSkqI2bdpo0KBBOn78uC5fvixfX19JUmhoqGbOnEmYAQCAYuemhzKXLl2qPXv2yNnZWVWrVtWKFStu+cPLIyIi9MQTTzhunzp1So0aNdKkSZMUHR2tHTt2KCYmRidPnpSXl5fjfl5eXkpJSbnDHwcAAKDoynXXV0xMjObOnav333/fsax+/fqaPHmyLBaLOnXqdFsb8vHxyXEItFevXlqxYoWqVq0qi8XiWG4YRo7btyopKem2H3On6tevX2DbApBTYmJiYY8AAPkm1zBbtGiRFixYoAoVKjiWtWrVStWrV9err75622H222+/KTk5WYGBgZKuBJiLi4vKly+v1NRUx/1OnTp13Tlot6JWrVpyc3O77ccBKFp4YQSgKLNarTfdmZTroUzDMHJE2VU+Pj6y2Wy3PYhhGJo0aZLOnTunrKwsffnll2rTpo0qVqwoNzc3x6vglStXyt/f/7bXDwAAUNTlusfMZrPJbrdfd80yu91+R5ezqFGjhvr3768ePXooOztbbdu2VYcOHSRJ06ZN05gxY5Senq6aNWuqd+/et71+AACAoi7XMGvQoIEWLFig559/Psfy+fPnq3bt2re8gQ0bNji+fuaZZ/TMM89cd58aNWooJibmltcJAADwT5RrmL366qt69tlnFR8fr3r16slut+t///uf0tPTtWDBggIcEQAAoHjINcxKly6tJUuWaPXq1UpKSpLFYtEzzzyjtm3bytXVtSBnBAAAKBZueqXYEiVKqFOnTrf9DkwAAADcPj6NHAAAwCQIMwAAAJMgzAAAAEwi13PMZs+efdMHDho06K4PAwAAUJzlGmZnzpyRJB04cEAHDx5U69at5eLiovXr1+uRRx4psAEBAACKi1zD7M0335Qk9e7dW8uWLZOnp6ck6eWXX9bAgQMLZjoAAIBiJM9zzFJTUx1RJkllypRRWlpavg4FAABQHN30OmaSVL16dY0aNUohISEyDEMxMTF6/PHHC2I2AACAYiXPMIuIiNCsWbMUEREhSfL399fgwYPzfTAAAIDiJs8wGz9+vKZMmVIQswAAABRreZ5jtnfvXhmGURCzAAAAFGt57jHz9vZWUFCQHn/8cXl4eDiWjxkzJl8HAwAAKG7yDLO6deuqbt26BTELAABAsZZnmA0aNEgZGRn6+eeflZ2drTp16qhUqVIFMRsAAECxkmeY7dmzRwMHDtS///1v2Ww2paSk6KOPPlK9evUKYj4AAIBiI88wmzx5sqZNm6ZGjRpJkrZu3arIyEhFR0fn+3AAAADFSZ7vyszIyHBEmST5+fnp0qVL+ToUAABAcZRnmFksFh09etRx+8iRI3J2ds7XoQAAAIqjPA9lvvLKK3r66afl5+cni8WiTZs2aezYsQUxGwAAQLGSa5ilp6erVKlSat26tapUqaJt27bJbrdrwIABqlq1akHOCAAAUCzkGmZ+fn6qX7++mjdvroCAAPXs2bMg5wIAACh2cg2zhIQEbdu2TVu3btXnn38uJycnBQQEqHnz5mrQoIFcXV0Lck4AAIB/vFzDzNPTU+3bt1f79u0lSUePHtWWLVs0depUHTp0SLt27SqwIQEAAIqDPE/+P3z4sDZs2KDNmzfrl19+Uc2aNdWtW7eCmA0AAKBYyTXMpk+frg0bNigjI0PNmjVTz5495efnJzc3t4KcDwAAoNjINcz++9//qmXLlurfv798fX0LcCQAAIDiKdcwi4uL08aNG/Xuu+8qOTlZTZo0UfPmzdW0aVM+xBwAACAf5Hrl/8qVK6tv37767LPP9M0336hp06Zat26dgoKC1Ldv34KcEQAAoFjI8yOZJOnYsWM6ffq0MjMz5erqKienW3oYAAAAbkOuhzI/++wz/fDDD9q+fbvKli0rf39/de3aVQ0bNpS7u3tBzggAAFAs3PQCs/7+/nr99ddVuXLlAhwJAACgeMo1zD755JOCnAMAAKDY42QxAAAAkyDMAAAATIIwAwAAMAnCDAAAwCQIMwAAAJMgzAAAAEyCMAMAADAJwgwAAMAkCDMAAACTIMwAAABMgjADAAAwCcIMAADAJPI1zNLT09WhQwcdOXJEkrRlyxYFBwerbdu2mj59uuN+e/fuVWhoqAIDAzV69GhlZ2fn51gAAACmlG9htnv3bvXo0UPJycmSpMuXLys8PFwffPCBVq9eraSkJCUkJEiShg8frrfeektr1qyRYRiKjo7Or7EAAABMK9/CLDo6WmPHjpW3t7ckac+ePapUqZJ8fHzk4uKi4OBgxcXF6ejRo7p8+bJ8fX0lSaGhoYqLi8uvsQAAAEzLJb9WHBERkeP2yZMn5eXl5bjt7e2tlJSU65Z7eXkpJSUlv8YCAAAwrXwLs2vZ7XZZLBbHbcMwZLFYcl1+u5KSku7KnLeifv36BbYtADklJiYW9ggAkG8KLMzKly+v1NRUx+3U1FR5e3tft/zUqVOOw5+3o1atWnJzc7srswIwL14YASjKrFbrTXcmFdjlMh5//HEdPHhQhw4dks1m06pVq+Tv76+KFSvKzc3N8Sp45cqV8vf3L6ixAAAATKPA9pi5ubkpMjJSgwcPltVqVUBAgNq1aydJmjZtmsaMGaP09HTVrFlTvXv3LqixAAAATCPfw2zDhg2Or/38/PTVV19dd58aNWooJiYmv0cBAAAwNa78DwAAYBKEGQAAgEkQZgAAACZBmAEAAJgEYQYAAGAShBkAAIBJEGYAAAAmQZgBAACYBGEGAABgEoQZAACASRBmAAAAJkGYAQAAmARhBgAAYBKEGQAAgEkQZgAAACZBmAEAAJgEYQYAAGAShBkAAIBJEGYAAAAmQZgBAACYBGEGAABgEoQZAACASRBmAAAAJkGYAQAAmARhBgAAYBKEGQAAgEkQZgAAACZBmAEAAJgEYQYAAGAShBkAAIBJEGYAAAAmQZgBAACYBGEGAABgEoQZAACASRBmAAAAJkGYAQAAmARhBgAAYBKEGQAAgEkQZgAAACZBmAEAAJgEYQYAAGAShBkAAIBJEGYAAAAmQZgBAACYBGEGAABgEoQZAACASRBmAAAAJkGYAQAAmIRLYWy0V69eOn36tFxcrmx+/PjxysjI0DvvvCOr1aqnnnpKw4YNK4zRAAAACk2Bh5lhGEpOTtbGjRsdYXb58mW1a9dOn332me6//34NGDBACQkJCggIKOjxAAAACk2Bh9mBAwckSc8//7zOnj2rbt26qXr16qpUqZJ8fHwkScHBwYqLiyPMAABAsVLg55idP39efn5+mjNnjhYsWKDFixfr2LFj8vLyctzH29tbKSkpBT0aAABAoSrwPWZ169ZV3bp1Hbe7du2qmTNnqn79+o5lhmHIYrHc1nqTkpLu2ox5+eusAApWYmJiYY8AAPmmwMNsx44dysrKkp+fn6QrEVaxYkWlpqY67pOamipvb+/bWm+tWrXk5uZ2V2cFYD68MAJQlFmt1pvuTCrwQ5kXLlzQlClTZLValZ6eruXLl+u1117TwYMHdejQIdlsNq1atUr+/v4FPRoAAEChKvA9Zi1atNDu3bvVqVMn2e129ezZU3Xr1lVkZKQGDx4sq9WqgIAAtWvXrqBHAwAAKFSFch2zoUOHaujQoTmW+fn56auvviqMcQAAAEyBK/8DAACYBGEGAABgEoQZAACASRBmAAAAJkGYAQAAmARhBgAAYBKEGQAAgEkQZgAAACZBmAEAAJgEYQYAAGAShBkAAIBJEGYAAAAmQZgBAACYBGEGAABgEoQZAACASRBmAAAAJkGYAQAAmARhBgAAYBKEGQAAgEkQZgAAACZBmAEAAJgEYQYAAGAShBkAAIBJEGYAAAAmQZgBAACYBGEGAABgEoQZAACASRBmAAAAJkGYAQAAmARhBgAAYBKEGQAAgEkQZgAAACZBmAEAAJgEYQYAAGAShBkAAIBJEGYAAAAmQZgBAACYBGEGACZhz84q7BGAYslM/++5FPYAAIArnFxclTjlhcIeAyh26o/4pLBHcGCPGQAAgEkQZgAAACZBmAEAAJgEYQYAAGAShBkAAIBJEGYAAAAmQZgBAACYBGEGAABgEqYKs6+//lrt27dX27ZtFRUVVdjjAAAAFCjTXPk/JSVF06dP17Jly1SiRAl1795dDRs21MMPP1zYowEAABQI0+wx27Jlixo1aqR7771X99xzjwIDAxUXF1fYYwEAABQY0+wxO3nypLy8vBy3vb29tWfPnjwfZxiGJCkzMzPfZruRMve4Fuj2AEhWq7WwR8h/7qULewKg2CnIv1uu9srVfrmWacLMbrfLYrE4bhuGkeN2brKyrnwi/L59+/Jttht5MbhqgW4PgJSUlFTYI+S/Js8W9gRAsVMYf7dkZWXJ3d39uuWmCbPy5ctrx44djtupqany9vbO83EeHh6qXr26XF1dbynkAAAACothGMrKypKHh8cNv2+aMGvcuLFmzZql06dPq2TJklq7dq0mTJiQ5+OcnJxUujS7/gEAQNFwoz1lV5kmzMqVK6dhw4apd+/eysrKUteuXVWnTp3CHgsAAKDAWIzczj4DAABAgTLN5TIAAACKO8IMAADAJAgzAAAAkyDMAAAATIIwAwAAMAnCDAAAwCQIMwAAAJMgzIC/uNFl/ex2eyFMAqC44HKi+CvCDPg/hmE4Pm/1999/14EDByRd+dgvALgbrkbYkSNHdOLECWVmZvI5z8iBK/8D1/jss8+0du1aPfDAA9q9e7e++OILlS1bNke4AcCdSkhI0IwZM/TEE08oPj5eixcvVrly5fg7BpLYYwbksHnzZq1Zs0Yff/yxHnjgAd1///3Kzs7mL0wAd8Xvv/+uGTNmaObMmfL19VXJkiVlt9vZcwYHwgz4PzabTR4eHgoJCdHnn3+uxMREzZ07V4sXL1ZERERhjwegiLp6YMpms8nNzU0hISFKSkrS/PnzNW/ePO3cuVPDhg0r5ClhFi6FPQBgBvHx8dq7d686duyoSZMmqUqVKlq6dKkkKTMzUw899FAhTwigqLJYLEpKSlJsbKyee+45ffzxx3J1ddXGjRtlsVh06dIlPfzww4U9JkyCPWaApAceeEArVqyQ3W7X5MmTdejQIcXExGjOnDn69ttv1ahRo8IeEUAR5unpqdjYWJ04cULvvvuuzp8/r5iYGC1ZskQLFy5UvXr1CntEmAQn/6PYOXPmjEqXLi0XFxelpaWpRIkSKl26tObPny93d3f16NFDq1ev1s6dOyVJPXr0UNWqVQt5agBFRUZGhlxcXOTm5qbz589LksqUKaOlS5cqNTVVL730kjZu3KjVq1frnnvuUatWreTv78+5rJBEmKGYOXz4sObNm6eRI0fqp59+UlRUlO6991716tVLKSkpmjNnjmbPnq1//etfhT0qgCLo/PnzmjZtmoYOHaqzZ89q9uzZuu+++9SxY0e5urpq3LhxmjJlinx8fGSz2eTs7CxJRBkcOJSJYiM9PV0+Pj564403tG/fPlmtVoWFhalKlSoaNGiQTp06pbS0NEVFRXFRWQC3zWq1qkyZMho6dKguXbqk48ePq3379qpWrZpeffVV7d+/X1arVQsXLlRmZqYjyiQRZXAgzFAspKWlaeHChTp27JjOnDmj+Ph4zZs3TxaLRb1799akSZNkt9vl7u6un3/+WdnZ2YU9MoAiJCMjQ1988YX+/PNP2Ww2xcXFadasWXJ2dla3bt30/vvv6+LFi/Lw8NDOnTt1+fLlwh4ZJsW7MvGPd+TIET3wwANKT09X3759VbFiRX366adauHCh5s6dK8Mw1KRJE9WtW1dt27bV2bNnVaJEicIeG0AR4uHhofT0dA0dOlQWi0VffvmlypYtq08//VQ2m02tW7dW7dq11alTJ/36668qU6ZMYY8Mk2KPGf7RTp06pZiYGElSx44ddd9998lisejUqVN67rnn1Lx5c82fP18JCQm6ePGi7rnnHlWoUKGQpwZQlFw99SEsLMzxEW6pqanq2rWrgoODFRUVpbVr1yo9PV2urq6qXbt2YY4LkyPM8I9WpkwZ9e/fXz///LOWLVumuXPnqkaNGho3bpz279+vPn36yNfXV8uWLeMcDwC3zTAMOTk56fjx45KkDz/8UC1bttS4ceOUlJSkbt26qXnz5oqKipLVai3kaVEU8K5M/CNd+w6n2NhYrVu3To0aNVJYWJjeeecdnT59WtWrV1etWrVUo0YNeXp6FuLEAIqqb7/9VpMmTdKTTz6pRx99VM8++6ymT5+ugwcPqlmzZvL29laVKlXk4+NT2KOiCGCPGf5x/hpl3377reLj4+Xn56egoCBt375dixYtUnh4uB577DHt2rVL5cqVI8oA3JHExERNnz5d77zzjkqXLq2VK1fq008/1bBhw1S3bl3FxsbKYrEQZbhl7DHDP9Ynn3yijRs3ysfHRy+99JK8vb21adMmbd68WRUrVlT//v2VmZnJif4A7tjChQvl4uKiHj16KCIiQlWqVNGGDRtUt25dDRw4UFlZWXJzc+M6Zbhl7DHDP9LRo0e1detWRUVFqU+fPkpMTFRkZKQuXryoevXq6ciRI7z7EsAdS05OVnJysmrXri0nJyd9/fXXql27tkJDQ+Xk5KTNmzdr3759cnNzk8R1ynDruFwG/hGufTVasmRJHT58WC+99JLOnj2runXr6vLlyzp06JCGDBmi1q1by8PDoxAnBlDUXP17Zs+ePfr888/l7u6uF198UfXq1dOzzz6rnj176sKFC0pLS9OUKVP4YHLcEQ5losj7a5StX79edrtdZcqUUYUKFbRp0yb5+fmpcuXKio+PV0xMjGbMmCF3d/dCnhpAUbRx40a99957atq0qZKTk1WtWjWFhITou+++03fffafjx49r2LBhCgwMLOxRUUQRZvjHWLhwoVauXKk2bdroiy++UMeOHfX6668rIiJC6enp2rlzp+bMmcOrWAB3xGq16u2331ZwcLAaN26sX3/9VZs2bdLp06fVrFkzlS1bVllZWXr88cc5pwx3jEOZKLJ+++03XX1dUaVKFcXGxuqDDz5Q+fLl1atXL3Xu3FmlSpVSWFiY9u3bp4EDB/LOKAB3zM3NTRaLRd9//70aN26sGjVqKC0tTTNmzJCbm5t69erleIc3UYY7RZihSEpISFBkZKQeeughHTt2TK1atVKZMmX0r3/9S5JUqlQpjR07VitXrtRLL72k6tWrF/LEAIqaq3u9fvvtN124cEHe3t4KDAzU1q1b9fXXXys4OFheXl5yd3fX3r17deDAAS69g7+NMEORs3nzZs2YMUOTJ0/WQw89pK+++ko7duxQZmam3nzzTU2ZMkWSdPDgQVmtVmVnZ8vZ2ZlXsABui8ViUXx8vD788EPVrVtXBw4cUPPmzVWhQgV9/fXXWrVqlQ4fPqx58+YpOjpa+/fv1xNPPFHYY6OI43IZKFK2bt2qoUOH6r333lOdOnVUunRp1apVSzabTeHh4bLb7ercubNmzZql6OhoDR48WC4uLkQZgFty5MgRffjhh5Kk48ePKyoqSv/v//0/1apVSxkZGerSpYsaNmyoKVOm6IUXXtCgQYN09OhRrVmzRn5+foU8Pf4J2GOGIiUzM1OSdOjQIT300EOSpLi4OLm6uqpatWqaNm2aFi9erHvvvVcdOnRw3AcAboWTk5MWLVoku92usLAwVahQQQsXLlRCQoKmTp2qrVu3KjY2Vu+++66qVKmiXbt2KTo6WtOnT9eDDz5Y2OPjH4B3ZaLI2bhxoyIiIvTGG29o//792rVrl2bOnOm4kCMA3Am73S4nJycdPnxYAwYMkJ+fn+x2u7Zv365JkyapTp06Wrt2rWJjYzV58mS5urrKYrHo3LlzKlu2bGGPj38IwgxF0oYNG/Tmm2/Kw8NDa9eulSQ+XgnAHTl79qxcXFxUqlQpxwn/hw8f1rBhw3T58mU9+uijcnJyUuXKlbVkyRKNHTtWAQEBjpAD7ibCDEVWQkKCxo8fr/DwcLVq1aqwxwFQBGVkZCgwMFDnz59XixYtVLZsWfn6+uqxxx6Th4eHBg4cqIceekiNGzdWWlqannjiCTVs2JDrlCHfEGYo0jZu3Kjhw4dr/Pjxat++fWGPA6AIWrdunSIjI/Xggw+qS5cuio2N1R9//KHatWtr8+bNOnPmjAYMGKBhw4YV9qgoBggzFHnfffedKlWqpEqVKhX2KACKqE2bNmncuHEaO3asmjZtKqvVqmPHjunQoUP6888/VblyZfn7+xf2mCgGCDMAACTFx8frnXfe0SuvvKLQ0NDrvs/hSxQELpcBAICk1q1by8nJSZMnT5ZhGOrSpUuO7xNlKAiEGQAA/6dly5ay2WyKiIhQ06ZN5e3tTZChQHEoEwCAa6Slpem+++4r7DFQDBFmAAAAJsGV8QAAAEyCMAMAADAJwgwAAMAkCDMAAACTIMwAFEn/+9//1KtXLwUHB6tDhw564YUX9Pvvv9/x+pYsWaKoqChJ0hdffKG5c+ferVFzdfjwYQ0ePDjftwOg6OA6ZgCKnMzMTA0YMECffvqpatasKUlauXKlXnzxRa1fv17Ozs63vc7ExERVq1ZNktSjR4+7Om9ujh07poMHDxbItgAUDYQZgCLn0qVLunDhgi5evOhY1rFjR5UqVUo2m00JCQn68MMPlZWVJXd3d73xxhuqW7euZs2apaNHjyo1NVVHjx5VuXLlNHXqVO3evVsbNmzQ5s2b5e7urtOnT+vMmTN666231LJlS3Xo0EHbtm3TuXPn9MILL2jnzp36+eef5eLiog8//FDlypVTSkqKxo8fr+PHjysrK0tBQUF66aWXdOTIEfXp00cBAQHavXu3zp8/r+HDh6tly5YaM2aMUlJS1K9fP82bN68Qn1EAZsGhTABFTtmyZTV8+HC98MILatWqlYYPH66lS5eqcePGOnbsmKZPn665c+dqxYoVmjBhggYPHuyIuB07duj9999XXFycSpYsqcWLF6tNmzZq2bKl+vTpo2eeeea67VmtVkVHR+vVV1/VW2+9peeee05fffWV7r//fi1fvlySNHz4cHXp0kXLli1TTEyMtmzZotWrV0u6csiyadOmiomJ0X/+8x9NmjRJzs7Omjhxoh588EGiDIADe8wAFEl9+/ZVWFiYtm/fru3bt+vjjz/Wxx9/rJ49e+rkyZPq06eP474Wi0V//vmnJKlBgwYqVaqUJOmxxx7TuXPn8txW27ZtJUk+Pj7697//rRo1akiSHnzwQZ07d04XL17U9u3bde7cOb3//vuSpIsXL+rXX39VnTp15OrqqoCAAMc2z549e7eeBgD/MIQZgCInMTFRu3bt0gsvvKAWLVqoRYsWeu2119ShQwelp6fLz89PM2bMcNz/+PHj8vb21rp16+Tu7u5YbrFYdCsfflKiRAnH166urtd93263yzAMLV68WCVLlpQknT59Wm5ubjpz5oxcXV3l5OTk2CYA5IZDmQCKHE9PT3344YfasWOHY1lqaqrS09PVqlUrbd68Wfv375ckJSQkqGPHjrp8+fJN1+ns7Kzs7Ow7mqdUqVLy9fXV/PnzJUnnz59Xjx49tH79+jy3mZWVdUfbBPDPxB4zAEXOQw89pDlz5mj69Ok6ceKE3NzcVLp0aU2aNEk1atTQ+PHj9dprr8kwDMcJ+h4eHjddp7+/vyIjI+94pmnTpmnChAkKDg5WZmamOnTooI4dO+rIkSO5Pubhhx+Wm5ubunbtqiVLlrA3DQAfYg4AAGAWHMoEAAAwCcIMAADAJAgzAAAAkyDMAAAATIIwAwAAMAnCDAAAwCQIMwAAAJMgzAAAAEzi/wPRZm0sHNMJ9wAAAABJRU5ErkJggg==\n", + "text/plain": [ + "
" + ] + }, + "metadata": {}, + "output_type": "display_data" + }, + { + "data": { + "image/png": "iVBORw0KGgoAAAANSUhEUgAAAmYAAAGgCAYAAAAAdau+AAAAOXRFWHRTb2Z0d2FyZQBNYXRwbG90bGliIHZlcnNpb24zLjQuMywgaHR0cHM6Ly9tYXRwbG90bGliLm9yZy/MnkTPAAAACXBIWXMAAAsTAAALEwEAmpwYAAA4gUlEQVR4nO3deVxU9eL/8fewCIrbpQuWSm5p5r7cVFzALTQRNVzKNStTM0ntm5Vb3lTMrTDXrmXmNdMQTdQUzSXKrRRNozTLBHdEXFEZljm/P/o5D1ER9crMIV7Px6PHg/OZw/m8xXF68zlnzlgMwzAEAAAAp3NxdgAAAAD8hWIGAABgEhQzAAAAk6CYAQAAmATFDAAAwCQoZgAAACZBMQPuwvHjx/XEE0+oY8eO9v86dOigqKio+z7mqFGjtH37dknS6NGjFR8ff8v4/Xr22Wd16dIltWzZUsOHD8/22M8//6yWLVv+T8fPyeXLl9WnTx/7dseOHXXp0qX/+bgvvfSSFi5caN8+cuSIHn/8cX3wwQf2sZSUFNWoUUOXL1++73nGjRunmTNn3vaxS5cuacKECQoJCVHHjh3VqVMnLVu27L7nys2yZcu0ePHi+/7+t99+W23bttXVq1ezjdetW1fHjx//X+Pd1oN+Ht9oy5Yt6t27tzp27Kjg4GANHTpUp06dkiStWLFCAwYMeGBzAc5EMQPukqenp6Kjo+3/ffzxx5o8ebIOHjx4X8cLDw9X48aNJUnbt2/X9VsK3jh+P06fPq0iRYqoePHikqSYmBhFR0ff9/HuxcWLF/Xzzz/bt6Ojo+05/hcBAQH64Ycf7NtbtmxRixYttGnTJvvYzp07Va9ePRUrVux/nu9mVqtVvXr1UqlSpfTVV18pOjpas2fP1rx58/KsnMXFxSktLe1/OsaJEycUHh7+gBLl7kE+j2+0evVqTZ06VRMmTFB0dLTWrFmjJ554Qn369FF6evoDmQMwCzdnBwDyq1KlSqlcuXJKSEhQ1apVNXv2bH399ddydXVVhQoVNGbMGPn4+GjDhg2aO3euLBaLXF1d9eabb+rJJ59U79691bNnTx04cEBnzpzRG2+8oSlTpmjatGnq2bOnfv31V125ckVjxoyRJMXGxmrWrFlatmyZ9uzZo2nTpunatWtycXHR4MGD1aJFC0nSpk2b1KpVK3vOYcOGacKECapXr578/Pxu+XMsW7ZMS5Yskc1mU8mSJTVmzBhVqlRJ586d04gRI3T06FGVLFlSPj4+qly5ssLCwhQVFaUvv/xSGRkZunjxol5++WX16NFDI0aMUFpamjp27KgVK1aoWrVq2rFjhwYNGqQXXnhBbdq0kSRNnTpVkjR8+PAc579RQECAZs+eLZvNJhcXF23ZskXDhg3T66+/rqNHj+rRRx/Vjh071Lx5c0nSxo0bNWvWLNlsNnl5eWnEiBGqVauWZs6cqZ9++klnzpzR448/rn//+98aNWqUDh48KF9fX7m6uqp+/fq3/IzWrl2rIkWK6OWXX7aPlSlTRtOnT1dGRoYk6ffff9e4ceN04cIFWSwWvfjii+rUqZN++OEHjR8/XmvWrJGkbNszZ87UiRMnlJycrBMnTqhUqVKaOnWq9u3bp82bN2vbtm3y9PRUo0aNNGrUKKWnp8swDHXp0kU9e/ZUUlKS+vfvr3nz5qlUqVK35O7Tp4+io6O1fv16+8/+Rjk9j7KysjRlyhRt3rxZxYoVU61atXT48GEtWrRIP/30k6ZOnar09HQlJyercePGmjhxoiIiIh7o8/hGERERGj9+vMqVKydJslgs6t+/vx555JFbillO+TIzMzV+/Hjt2bNH7u7uKlu2rN577z15eHjcdtzLy+uWHIBDGABydezYMaNOnTrZxvbs2WM8+eSTxsmTJ42oqCjj2WefNa5cuWIYhmHMmDHDePHFFw3DMIxWrVoZe/fuNQzDML7//ntj5syZhmEYRq9evYx169YZhmEYLVq0MPbv359t/OjRo0bDhg0Nq9VqGIZhDBkyxIiMjDQuXLhgBAUFGceOHTMMwzBOnz5tBAQEGCdOnDAMwzBeeOEF+9fXj/vBBx8Y3bp1MzIyMoz9+/cbLVq0MAzDMH744QejR48extWrV+352rZtaxiGYQwbNsyYMmWKYRiGkZSUZDRp0sSYMWOGkZqaanTr1s04d+6cYRiGsXfvXvvP5uafU5UqVYyUlBQjKirK6N+/v2EYhpGZmWk0bdrUOHLkyB3nv1mrVq2MX3/91bhw4YLRpEkTIysryxgzZoyxYMECwzAMo2XLlsYff/xh/PHHH0bjxo2No0ePGoZhGNu3bzeaNGliXL582ZgxY4bRpk0bIyMjwzAMwwgPDzfefPNNw2azGSkpKUZAQIAxY8aMW+YeN26cMXny5NvmMgzDyMjIMFq1amWsX7/e/nfSrFkzY8+ePcbOnTuN4OBg+743bs+YMcNo1aqVcfnyZcMwDGPAgAHGhx9+aBiGYbz11lvGJ598YhiGYYwYMcL4z3/+YxiGYZw5c8YYOnSokZWVlWOeG7//+++/Nxo0aGCcPHnSMAzDqFOnjnHs2LE7Po+WLFli9OzZ00hLSzOsVqvx4osvGr169TIM46/nxc6dOw3DMIzU1FSjYcOGxs8//2wYxoN9Hl937tw5o0qVKvbnyO0sX77c/vzKKd+uXbuMtm3bGjabzTAMw5gyZYoRFxeX4zjgLKyYAXfp+kqQJGVlZekf//iHpk6dqkceeUTfffedQkNDVaRIEUl/rVR89NFHSk9PV3BwsAYPHqzAwEA1adIk26rLnfj5+enxxx/X5s2b5e/vr507dyo8PFy7d+9WcnKyXn31Vfu+FotFv/32m4oVK6bU1FSVLl0627HCwsK0Y8cOzZw5U61bt7aPf/vtt0pMTNRzzz1nH7t06ZIuXLig2NhYffXVV5IkX19ftW3bVpLk5eWljz76SLGxsUpISNDBgwdvuY7pZu3atdOUKVOUnJysX3/9VeXLl1f58uUVGRmZ4/wlS5bMdozrpzMfeughNW7cWC4uLmrRooUWL16s1q1by2KxqFKlSlq8eLEaNWpkXx309/eXt7e3/dqnOnXqyM3tr5e+HTt2aOTIkbJYLPL29tZTTz112/wWi8V+iu52EhISZLVaFRQUJOmv1dSgoCB9//33atiw4R1/Ng0aNFDRokUlSdWqVdPFixdv2eepp57SW2+9pf3798vf31+jR4+Wi8vdXYnStGlTPfPMMxo+fLj++9//2sd/+umnHJ9HsbGx6tixozw8PCT9dc3iokWLJEmTJk3Sd999p48++kh//vmnrFbrHf/+7+d5fOPz9/qf02az3dWfN6d8VatWlaurq7p27aqmTZuqTZs2qlWrli5dunTbccBZKGbAXbp+jdnt2Gw2WSyWbNuZmZmS/jqV2LlzZ23btk0rVqzQp59+etdvGujWrZtWrlyplJQUtW7dWl5eXsrKylKlSpWyXduUlJQkb29vxcTEKCAg4JbjuLm56f3331doaGi2wmOz2dSxY0f7GwRsNpvOnDmjEiVKyM3NLVsZuf4/yNOnT+vZZ59Vt27dVL9+fbVt21Zbtmy545+jcOHCatOmjdasWaO9e/eqa9euuc5/s4CAAEVFRcnDw8N+qvZ6SbnxNObNfxeSZBiG/e/jenm+8bHrXF1db5u/Tp06t70Qf9OmTdq9e7c6deqU45w3l7rrpz6v8/T0tH+dUwFs0aKF1q9fr+3bt2vHjh2aPXu2VqxYoYcffvi2eW/2+uuv69lnn9VHH31kH7vT82jFihXZvv/GEtirVy89/vjjatasmZ5++mnt27fvjqVVuvfn8Y1KlCih8uXLa9++fbdcszZkyBC98sor2cZyyle8eHFFR0drz5492rlzp4YOHaqXXnpJPXv2zHEccAYu/gcegGbNmmn58uX2lYNFixbpySeflIuLi1q2bKlr166pe/fuGjt2rH777bdbrotxdXW1F4cbPfXUU/rll18UGRmpbt26SfqrJCQmJmrXrl2SpAMHDqhNmzZKSkrSpk2bsq2I3cjPz0+jRo3K9k7Gpk2b6uuvv9aZM2ckSUuWLNHzzz8vSQoMDLQXyPPnz2vjxo2yWCyKj4+Xt7e3Bg0apKZNm9pLWVZWltzc3JSVlXXb/1F369ZNX331lfbs2WO/3ulO89+sYcOGOnDggH788Uc1a9ZM0l+lpnr16vr8888VGBgo6a+ytnXrVh07dkzSX6tip06dUu3atW85ZrNmzRQVFSWbzaaLFy9mezPBjYKCgpSamqqPP/5YWVlZkqRjx45p0qRJqlSpkipWrCg3Nzdt2LBB0l8FY/369WrcuLG8vb118uRJpaSkyDAMff3117ed42Y3Pif+7//+T2vXrlVwcLDGjh2rokWL6ujRo3d1HEkqVKiQ3n//fX366af2NxTc6XkUGBioVatWKT09XZmZmfaV00uXLunnn3/WG2+8oaCgIJ0+fVpHjx61r2Y9qOfxzQYPHqzw8HAlJiZK+uu5NmfOHB08eFAVK1a073enfFu2bFHfvn1Vt25dhYWFqVOnToqPj89xHHAWVsyAB6BLly46deqUunbtKpvNpnLlymnatGlyc3PTyJEj9cYbb8jNzU0Wi0UTJ05UoUKFsn3/U089peHDh+vf//53tvFChQqpXbt22r59u/30ire3t2bMmKEpU6bIarXKMAxNmTJFvr6++vPPP1W1atUcc3bq1Elbt27Vnj17JP1VjF5++WW9+OKLslgsKlq0qGbNmiWLxaIRI0Zo9OjRCgkJUcmSJVW6dGl5enqqSZMmioqKUtu2bWWxWNSgQQN5e3srMTFR5cqVU61atRQcHHzLClONGjXk6uqqtm3b2k+R3Wn+mxUuXFjly5dXRkZGtndeBgYGaurUqfZTho899pjGjh2rwYMHKysrS56envroo49u+27NsLAwjR07Vk8//bS8vb1VpUqV2/7cChUqpAULFmjq1KkKCQmRq6urXF1d9corryg0NFSSNGfOHE2YMEEzZ85UVlaWXn31VTVq1EiS9Nxzz6lz587y8fFR8+bNs71zNScBAQGaNGmSJGnQoEEaNWqUvvzyS7m6uqp169Z68sknc734/0YVK1bUW2+9pdGjR0vK+XlUtmxZhYaG6siRI+rUqZOKFCmismXLqnDhwipevLj69++vZ555RkWKFFGpUqVUr149JSYmyt/f/4E8j8uWLXtL9pCQEBmGoddff12ZmZmyWq2qXr26Fi5cmO3f0p3yde3aVd99953at2+vIkWKqESJEho/frz9UoSbxwFnsRi5rUEDKJAWL16satWqqW7dukpPT1ePHj0UFhZmX5nC39fWrVuVkpJiv6ZywoQJ8vDwuOWeeAAePFbMANzWY489pvHjx8tmsykjI0Nt27allBUQlStX1vz58/XJJ5/IZrOpatWqt6yCAcgbrJgBAACYBBf/AwAAmATFDAAAwCTy/TVmNptNV65ckbu7+23fyQUAAGAWhmEoIyNDXl5et71RdL4vZleuXNGhQ4ecHQMAAOCuValS5ba38cn3xczd3V3SX3/Am+8NBQAAYCbp6ek6dOiQvb/cLN8Xs+unLwsVKmS/aSUAAICZ5XT5FRf/AwAAmATFDAAAwCQoZgAAACZBMQMAADAJihkAAIBJUMwAAABMgmIGAABgEhQzAAAAk6CYAQAAmATFDAAAwCQoZgAAACZBMQMAADAJihkAAIBJUMwAwCRsmRnOjgAUSGb6t+fm7AAAgL+4uLkrbko/Z8cACpz6b37i7Ah2rJgBAACYBMUMAADAJChmAAAAJkExAwAAMAmKGQAAgElQzAAAAEyCYgYAAGASFDMAAACToJgBAACYBMUMAADAJChmAAAAJkExAwAAMAmKGQAAgEnkaTFLTU1V+/btdfz48Wzjn3/+uXr37m3fPnDggEJDQ9WmTRuNGjVKmZmZeRkLAADAlPKsmO3bt0/du3dXQkJCtvE//vhD8+bNyzY2fPhwvfPOO1q/fr0Mw1BkZGRexQIAADCtPCtmkZGRGjt2rHx9fe1j6enpeuedd/Taa6/Zx06cOKG0tDTVqVNHkhQaGqqYmJi8igUAAGBabnl14PDw8FvG3n//fXXu3Flly5a1j505c0Y+Pj72bR8fHyUlJd3zfPHx8fcXFABMon79+s6OABRYcXFxzo4gKQ+L2c22bdumU6dOacSIEfrhhx/s4zabTRaLxb5tGEa27btVo0YNeXh4PJCsAACgYHHUL0ZWq/WOi0kOK2Zr1qzR77//ro4dO+rq1as6e/ashg4dquHDhys5Odm+39mzZ7Od/gQAACgoHFbM3nvvPfvXP/zwg2bNmqXp06dLkjw8PBQXF6f69esrOjpaAQEBjooFAABgGg4rZncybdo0jR49Wqmpqapevbr69Onj7EgAAAAOl+fFbPPmzbeMNWzYUA0bNrRvV61aVVFRUXkdBQAAwNS48z8AAIBJUMwAAABMgmIGAABgEhQzAAAAk6CYAQAAmATFDAAAwCQoZgAAACZBMQMAADAJihkAAIBJUMwAAABMgmIGAABgEhQzAAAAk6CYAQAAmATFDAAAwCQoZgAAACZBMQMAADAJihkAAIBJUMwAAABMgmIGAABgEhQzAAAAk6CYAQAAmATFDAAAwCQoZgAAACZBMQMAADAJihkAAIBJUMwAAABMgmIGAABgEhQzAAAAk6CYAQAAmATFDAAAwCQoZgAAACZBMQMAADCJPC1mqampat++vY4fPy5J+vLLL9W+fXuFhIRoxIgRSk9PlyQdOHBAoaGhatOmjUaNGqXMzMy8jAUAAGBKeVbM9u3bp+7duyshIUGSdOTIEc2fP19Lly7VqlWrZLPZ9MUXX0iShg8frnfeeUfr16+XYRiKjIzMq1gAAACmlWfFLDIyUmPHjpWvr68kqVChQho7dqyKFi0qi8WiKlWq6OTJkzpx4oTS0tJUp04dSVJoaKhiYmLyKhYAAIBpueXVgcPDw7NtlylTRmXKlJEknTt3TosXL9Z7772nM2fOyMfHx76fj4+PkpKS8ioWAACAaeVZMctJUlKS+vXrp86dO6thw4aKi4uTxWKxP24YRrbtuxUfH/8gYwKAw9WvX9/ZEYACKy4uztkRJDm4mB0+fFj9+vVT79699eKLL0qSHn74YSUnJ9v3OXv2rP30572oUaOGPDw8HlhWAABQcDjqFyOr1XrHxSSH3S4jNTVVL730koYMGWIvZdJfpzg9PDzsTTU6OloBAQGOigUAAGAaDlsxi4qK0tmzZ7VgwQItWLBAktSyZUsNGTJE06ZN0+jRo5Wamqrq1aurT58+jooFAABgGnlezDZv3ixJ6tu3r/r27XvbfapWraqoqKi8jgIAAGBq3PkfAADAJChmAAAAJkExAwAAMAmKGQAAgElQzAAAAEyCYgYAAGASFDMAAACToJgBAACYBMUMAADAJChmAAAAJkExAwAAMAmKGQAAgElQzAAAAEyCYgYAAGASFDMAAACToJgBAACYBMUMAADAJChmAAAAJkExAwAAMAmKGQAAgElQzAAAAEyCYgYAAGASFDMAAACToJgBAACYBMUMAADAJChmAAAAJkExAwAAMAmKGQAAgElQzAAAAEyCYnYf0jOynB0BKJD4twfg787N2QHyo0Lururx5mJnxwAKnC+m9HR2BADIU6yYAQAAmATFDAAAwCTytJilpqaqffv2On78uCRp+/btCgkJUVBQkCIiIuz7HThwQKGhoWrTpo1GjRqlzMzMvIwFAABgSnlWzPbt26fu3bsrISFBkpSWlqaRI0dqzpw5Wrt2reLj4xUbGytJGj58uN555x2tX79ehmEoMjIyr2IBAACYVp4Vs8jISI0dO1a+vr6SpP3796tcuXLy8/OTm5ubQkJCFBMToxMnTigtLU116tSRJIWGhiomJiavYgEAAJhWnr0rMzw8PNv2mTNn5OPjY9/29fVVUlLSLeM+Pj5KSkrKq1gAAACm5bDbZdhsNlksFvu2YRiyWCw5jt+r+Pj4B5LzbtSvX99hcwHILi4uztkR8gyvLYDzmOW1xWHF7OGHH1ZycrJ9Ozk5Wb6+vreMnz171n76817UqFFDHh4eDyQrAPOivADIC456bbFarXdcTHLY7TJq166tI0eOKDExUVlZWVqzZo0CAgJUpkwZeXh42JtqdHS0AgICHBULAADANBy2Yubh4aFJkyYpLCxMVqtVgYGBatu2rSRp2rRpGj16tFJTU1W9enX16dPHUbEAAABMI8+L2ebNm+1f+/v7a9WqVbfsU7VqVUVFReV1FAAAAFPjzv8AAAAmQTEDAAAwCYoZAACASVDMAAAATIJiBgAAYBIUMwAAAJOgmAEAAJgExQwAAMAkKGYAAAAmkWsx++KLL24ZmzdvXp6EAQAAKMhy/EimJUuWKC0tTZ999pmsVqt9PCMjQ0uXLlX//v0dEhAAAKCgyLGYubm56dChQ0pLS9OhQ4fs466urnr77bcdEg4AAKAgybGYde3aVV27dtXGjRvVunVrR2YCAAAokHIsZtfVqVNHs2bN0oULF7KNjx49Oq8yAQAAFEi5FrPhw4fL09NT1apVk8VicUQmAACAAinXYnb69GmtW7fOEVkAAAAKtFxvl1G6dGldvXrVEVkAAAAKtFxXzHx9fdWpUyc1aNBAnp6e9nGuMQMAAHiwci1mZcqUUZkyZRyRBQAAoEDLtZgNHjzYETkAAAAKvFyLWUhIyG3HV69e/cDDAAAAFGS5FrMxY8bYv87IyNDXX38tPz+/PA0FAABQEOVazBo0aJBtu3Hjxnruuef0yiuv5FkoAACAgijX22Xc7Pz58zpz5kxeZAEAACjQ7vkas5MnT+rZZ5/Ns0AAAAAF1T1dY2axWOTt7a1KlSrlaSgAAICCKNdTmQ0aNJCHh4d+/PFHbd26VefOnXNELgAAgAIn12K2cuVKvfbaa7p48aKuXLmi119/XZGRkY7IBgAAUKDkeirzs88+07Jly+Tr6ytJevnll/XSSy+pW7dueR4OAACgIMl1xcxms9lLmSSVKlVKLi73/GZOAAAA5CLXhlWyZElt3LjRvr1x40aVKFEiT0MBAAAURHf1rsxBgwZp/PjxkiR3d3fNnj07z4MBAAAUNLkWs8qVKysmJkYJCQnKyspSxYoV5eaW67cBAADgHt3xVOby5cu1f/9+ubq6qlKlSlq5cuUD+fDy6OhoBQcHKzg4WJMnT5Ykbd++XSEhIQoKClJERMT/PAcAAEB+k2Mxi4qK0n/+8x+5u7vbx+rXr6+5c+dq5cqV9z3htWvXFB4erkWLFik6Olq7d+/W5s2bNXLkSM2ZM0dr165VfHy8YmNj73sOAACA/CjHYvbFF1/os88+0xNPPGEfa9WqlebPn6///ve/9z1hVlaWbDabrl27pszMTGVmZqpo0aIqV66c/Pz85ObmppCQEMXExNz3HAAAAPlRjheLGYah0qVL3zLu5+enrKys+56waNGiGjJkiJ5++mkVLlxYTz75pM6cOSMfHx/7Pr6+vkpKSrrvOQAAAPKjHIvZ9ZWtm+9ZZrPZlJmZed8THjx4UMuXL9eWLVtUrFgxvfHGG0pISJDFYrHvYxhGtu27ER8ff9+Z7lX9+vUdNheA7OLi4pwdIc/w2gI4j1leW3IsZg0aNNBnn32mF198Mdv4ggULVLNmzfuecOvWrfL399dDDz0kSQoNDdX8+fPl6upq3yc5OTnbTW3vRo0aNeTh4XHfuQDkD5QXAHnBUa8tVqv1jotJORazIUOGqFevXtq4caPq1asnm82mn376Sampqfrss8/uO1DVqlU1depUXb16VYULF9bmzZtVu3ZtrV69WomJiSpbtqzWrFmjzp073/ccAAAA+VGOxaxYsWJatmyZ/V2SFotFPXv2VFBQULZ3at6rpk2b6tdff1VoaKjc3d1Vs2ZNhYWFqUmTJgoLC5PValVgYKDatm1733MAAADkR3e8U2yhQoXUqVMnderU6YFO2r9/f/Xv3z/bmL+/v1atWvVA5wEAAMhP+DRyAAAAk6CYAQAAmATFDAAAwCRyvMZs1qxZd/zGwYMHP/AwAAAABVmOxez8+fOSpD///FNHjhxR69at5ebmpk2bNunxxx93WEAAAICCIsdiNmbMGElSnz59tGLFCnl7e0uSXnnlFQ0aNMgx6QAAAAqQXK8xS05OtpcySSpevLhSUlLyNBQAAEBBdMf7mElSlSpVNGLECHXs2FGGYSgqKkq1a9d2RDYAAIACJddiFh4erpkzZyo8PFySFBAQoLCwsDwPBgAAUNDkWszGjRunKVOmOCILAABAgZbrNWYHDhyQYRiOyAIAAFCg5bpi5uvrq+DgYNWuXVteXl728dGjR+dpMAAAgIIm12JWt25d1a1b1xFZAAAACrRci9ngwYN15coV/fLLL8rMzFStWrVUtGhRR2QDAAAoUHItZvv379egQYP0z3/+U1lZWUpKStJHH32kevXqOSIfAABAgZFrMZs8ebKmTZumRo0aSZJ27NihSZMmKTIyMs/DAQAAFCS5vivzypUr9lImSf7+/rp27VqehgIAACiIci1mFotFJ06csG8fP35crq6ueRoKAACgIMr1VOarr76qZ599Vv7+/rJYLNq6davGjh3riGwAAAAFSo7FLDU1VUWLFlXr1q1VsWJF7dy5UzabTQMGDFClSpUcmREAAKBAyLGY+fv7q379+mrevLkCAwPVo0cPR+YCAAAocHIsZrGxsdq5c6d27Nihzz//XC4uLgoMDFTz5s3VoEEDubu7OzInAADA316Oxczb21vt2rVTu3btJEknTpzQ9u3bNXXqVCUmJmrv3r0OCwkAAFAQ5Hrx/7Fjx7R582Zt27ZNv/76q6pXr65u3bo5IhsAAECBkmMxi4iI0ObNm3XlyhU1a9ZMPXr0kL+/vzw8PByZDwAAoMDIsZj95z//UcuWLdW/f3/VqVPHgZEAAAAKphyLWUxMjLZs2aL3339fCQkJatKkiZo3b66mTZvyIeYAAAB5IMc7/5cvX14vvPCCFi1apK+//lpNmzbVN998o+DgYL3wwguOzAgAAFAg5PqRTJJ08uRJnTt3Tunp6XJ3d5eLy119GwAAAO5BjqcyFy1apB9++EG7du1SiRIlFBAQoC5duqhhw4by9PR0ZEYAAIAC4Y43mA0ICNAbb7yh8uXLOzASAABAwZRjMfvkk08cmQMAAKDAc8rFYps3b1ZoaKiefvppTZgwQZK0fft2hYSEKCgoSBEREc6IBQAA4FQOL2bHjh3T2LFjNWfOHK1atUq//vqrYmNjNXLkSM2ZM0dr165VfHy8YmNjHR0NAADAqRxezL755hu1a9dODz/8sNzd3RUREaHChQurXLly8vPzk5ubm0JCQhQTE+PoaAAAAE6V62dlPmiJiYlyd3fXwIEDderUKTVv3lyVK1eWj4+PfR9fX18lJSU5OhoAAIBTObyYZWVlaffu3Vq0aJGKFCmiV155RZ6enrJYLPZ9DMPItn034uPjH3TUHNWvX99hcwHILi4uztkR8gyvLYDzmOW1xeHF7J///Kf8/f3l7e0tSWrdurViYmLk6upq3yc5OVm+vr73dNwaNWrwAetAAUB5AZAXHPXaYrVa77iY5PBrzFq0aKGtW7fq0qVLysrK0vfff6+2bdvqyJEjSkxMVFZWltasWaOAgABHRwMAAHAqh6+Y1a5dW/369VOPHj2UkZGhJk2aqHv37qpYsaLCwsJktVoVGBiotm3bOjoaAACAUzm8mElSly5d1KVLl2xj/v7+WrVqlTPiAAAAmAKfRg4AAGASFDMAAACToJgBAACYBMUMAADAJChmAAAAJkExAwAAMAmKGQAAgElQzAAAAEyCYgYAAGASFDMAAACToJgBAACYBMUMAADAJChmAAAAJkExAwAAMAmKGQAAgElQzAAAAEyCYgYAAGASFDMAAACToJgBAACYBMUMAADAJChmAAAAJkExAwAAMAmKGQAAgElQzAAAAEyCYgYAAGASFDMAAACToJgBAACYBMUMAADAJChmAAAAJkExAwAAMAmKGQAAgElQzAAAAEyCYgYAAGASTi1mkydP1ttvvy1J2r59u0JCQhQUFKSIiAhnxgIAAHAKpxWzHTt26KuvvpIkpaWlaeTIkZozZ47Wrl2r+Ph4xcbGOisaAACAUzilmF24cEEREREaOHCgJGn//v0qV66c/Pz85ObmppCQEMXExDgjGgAAgNM4pZi98847GjZsmIoXLy5JOnPmjHx8fOyP+/r6KikpyRnRAAAAnMbN0RMuW7ZMjzzyiPz9/bVixQpJks1mk8Vise9jGEa27bsRHx//QHPeSf369R02F4Ds4uLinB0hz/DaAjiPWV5bHF7M1q5dq+TkZHXs2FEXL17U1atXdeLECbm6utr3SU5Olq+v7z0dt0aNGvLw8HjQcQGYDOUFQF5w1GuL1Wq942KSw4vZggUL7F+vWLFCP/74o959910FBQUpMTFRZcuW1Zo1a9S5c2dHRwMAAHAqhxez2/Hw8NCkSZMUFhYmq9WqwMBAtW3b1tmxAAAAHMqpxSw0NFShoaGSJH9/f61atcqZcQAAAJyKO/8DAACYBMUMAADAJChmAAAAJkExAwAAMAmKGQAAgElQzAAAAEyCYgYAAGASFDMAAACToJgBAACYBMUMAADAJChmAAAAJkExAwAAMAmKGQAAgElQzAAAAEyCYgYAAGASFDMAAACToJgBAACYBMUMAADAJChmAAAAJkExAwAAMAmKGQAAgElQzAAAAEyCYgYAAGASFDMAAACToJgBAACYBMUMAADAJChmAAAAJkExAwAAMAmKGQAAgElQzAAAAEyCYgYAAGASFDMAAACToJgBAACYhFOK2axZsxQcHKzg4GBNmTJFkrR9+3aFhIQoKChIERERzogFAADgVA4vZtu3b9fWrVv11VdfaeXKlfrll1+0Zs0ajRw5UnPmzNHatWsVHx+v2NhYR0cDAABwKocXMx8fH7399tsqVKiQ3N3dValSJSUkJKhcuXLy8/OTm5ubQkJCFBMT4+hoAAAATuXwYla5cmXVqVNHkpSQkKB169bJYrHIx8fHvo+vr6+SkpIcHQ0AAMCp3Jw18e+//64BAwbozTfflKurqxISEuyPGYYhi8VyT8eLj49/wAlzVr9+fYfNBSC7uLg4Z0fIM7y2AM5jltcWpxSzuLg4vfbaaxo5cqSCg4P1448/Kjk52f54cnKyfH197+mYNWrUkIeHx4OOCsBkKC8A8oKjXlusVusdF5Mcfirz1KlTevXVVzVt2jQFBwdLkmrXrq0jR44oMTFRWVlZWrNmjQICAhwdDQAAwKkcvmI2f/58Wa1WTZo0yT723HPPadKkSQoLC5PValVgYKDatm3r6GgAAABO5fBiNnr0aI0ePfq2j61atcrBaQAAAMyDO/8DAACYBMUMAADAJChmAAAAJkExAwAAMAmKGQAAgElQzAAAAEyCYgYAAGASFDMAAACToJgBAACYBMUMAADAJChmAAAAJkExAwAAMAmKGQAAgElQzAAAAEyCYgYAAGASFDMAAACToJgBAACYBMUMAADAJChmAAAAJkExAwAAMAmKGQAAgElQzAAAAEyCYgYAAGASFDMAAACToJgBAACYBMUMAADAJChmAAAAJkExAwAAMAmKGQAAgElQzAAAAEyCYgYAAGASFDMAAACTMFUxW716tdq1a6egoCAtXrzY2XEAAAAcys3ZAa5LSkpSRESEVqxYoUKFCum5555Tw4YN9dhjjzk7GgAAgEOYZsVs+/btatSokUqWLKkiRYqoTZs2iomJcXYsAAAAhzHNitmZM2fk4+Nj3/b19dX+/ftz/T7DMCRJ6enpeZbtdooXcXfofAAkq9Xq7Ah5z7OYsxMABY4jX1uu95Xr/eVmpilmNptNFovFvm0YRrbtnGRkZEiSDh06lGfZbuflkEoOnQ+AFB8f7+wIea9JL2cnAAocZ7y2ZGRkyNPT85Zx0xSzhx9+WLt377ZvJycny9fXN9fv8/LyUpUqVeTu7n5XRQ4AAMBZDMNQRkaGvLy8bvu4aYpZ48aNNXPmTJ07d06FCxfWhg0bNH78+Fy/z8XFRcWKsfQPAADyh9utlF1nmmJWqlQpDRs2TH369FFGRoa6dOmiWrVqOTsWAACAw1iMnK4+AwAAgEOZ5nYZAAAABR3FDAAAwCQoZgAAACZBMQMAADAJihkAAIBJUMwAAABMgmIGAABgEhQz4Aa3u62fzWZzQhIABQW3E8WNKGbA/2cYhv3zVn///Xf9+eefkv762C8AeBCul7Djx4/r9OnTSk9P53OekQ13/gdusmjRIm3YsEFly5bVvn37tGTJEpUoUSJbcQOA+xUbG6vp06frX//6lzZu3KilS5eqVKlSvMZAEitmQDbbtm3T+vXr9fHHH6ts2bJ65JFHlJmZyQsmgAfi999/1/Tp0zVjxgzVqVNHhQsXls1mY+UMdhQz4P/LysqSl5eXOnbsqM8//1xxcXGaN2+eli5dqvDwcGfHA5BPXT8xlZWVJQ8PD3Xs2FHx8fFasGCB5s+frz179mjYsGFOTgmzcHN2AMAMNm7cqAMHDqhDhw6aOHGiKlasqOXLl0uS0tPTVaFCBScnBJBfWSwWxcfHa926dXr++ef18ccfy93dXVu2bJHFYtG1a9f02GOPOTsmTIIVM0BS2bJltXLlStlsNk2ePFmJiYmKiorS7Nmz9e2336pRo0bOjgggH/P29ta6det0+vRpvf/++7p06ZKioqK0bNkyLVy4UPXq1XN2RJgEF/+jwDl//ryKFSsmNzc3paSkqFChQipWrJgWLFggT09Pde/eXWvXrtWePXskSd27d1elSpWcnBpAfnHlyhW5ubnJw8NDly5dkiQVL15cy5cvV3JysgYOHKgtW7Zo7dq1KlKkiFq1aqWAgACuZYUkihkKmGPHjmn+/Pl6++239fPPP2vx4sUqWbKkevfuraSkJM2ePVuzZs3SP/7xD2dHBZAPXbp0SdOmTdPQoUN14cIFzZo1Sw899JA6dOggd3d3vfvuu5oyZYr8/PyUlZUlV1dXSaKUwY5TmSgwUlNT5efnp7feekuHDh2S1WpV165dVbFiRQ0ePFhnz55VSkqKFi9ezE1lAdwzq9Wq4sWLa+jQobp27ZpOnTqldu3aqXLlyhoyZIgOHz4sq9WqhQsXKj093V7KJFHKYEcxQ4GQkpKihQsX6uTJkzp//rw2btyo+fPny2KxqE+fPpo4caJsNps8PT31yy+/KDMz09mRAeQjV65c0ZIlS3T06FFlZWUpJiZGM2fOlKurq7p166YPP/xQV69elZeXl/bs2aO0tDRnR4ZJ8a5M/O0dP35cZcuWVWpqql544QWVKVNGn376qRYuXKh58+bJMAw1adJEdevWVVBQkC5cuKBChQo5OzaAfMTLy0upqakaOnSoLBaLvvzyS5UoUUKffvqpsrKy1Lp1a9WsWVOdOnXSwYMHVbx4cWdHhkmxYoa/tbNnzyoqKkqS1KFDBz300EOyWCw6e/asnn/+eTVv3lwLFixQbGysrl69qiJFiqh06dJOTg0gP7l+6UPXrl3tH+GWnJysLl26KCQkRIsXL9aGDRuUmpoqd3d31axZ05lxYXIUM/ytFS9eXP3799cvv/yiFStWaN68eapatareffddHT58WH379lWdOnW0YsUKrvEAcM8Mw5CLi4tOnTolSZo7d65atmypd999V/Hx8erWrZuaN2+uxYsXy2q1Ojkt8gPelYm/pZvf4bRu3Tp98803atSokbp27ar33ntP586dU5UqVVSjRg1VrVpV3t7eTkwMIL/69ttvNXHiRD355JN64okn1KtXL0VEROjIkSNq1qyZfH19VbFiRfn5+Tk7KvIBVszwt3NjKfv222+1ceNG+fv7Kzg4WLt27dIXX3yhkSNHqlq1atq7d69KlSpFKQNwX+Li4hQREaH33ntPxYoVU3R0tD799FMNGzZMdevW1bp162SxWChluGusmOFv65NPPtGWLVvk5+engQMHytfXV1u3btW2bdtUpkwZ9e/fX+np6VzoD+C+LVy4UG5uburevbvCw8NVsWJFbd68WXXr1tWgQYOUkZEhDw8P7lOGu8aKGf6WTpw4oR07dmjx4sXq27ev4uLiNGnSJF29elX16tXT8ePHefclgPuWkJCghIQE1axZUy4uLlq9erVq1qyp0NBQubi4aNu2bTp06JA8PDwkcZ8y3D1ul4G/hZt/Gy1cuLCOHTumgQMH6sKFC6pbt67S0tKUmJio1157Ta1bt5aXl5cTEwPIb66/zuzfv1+ff/65PD099fLLL6tevXrq1auXevToocuXLyslJUVTpkzhg8lxXziViXzvxlK2adMm2Ww2FS9eXKVLl9bWrVvl7++v8uXLa+PGjYqKitL06dPl6enp5NQA8qMtW7bogw8+UNOmTZWQkKDKlSurY8eO+u677/Tdd9/p1KlTGjZsmNq0aePsqMinKGb421i4cKGio6P11FNPacmSJerQoYPeeOMNhYeHKzU1VXv27NHs2bP5LRbAfbFarfr3v/+tkJAQNW7cWAcPHtTWrVt17tw5NWvWTCVKlFBGRoZq167NNWW4b5zKRL7122+/6frvFRUrVtS6des0Z84cPfzww+rdu7eeeeYZFS1aVF27dtWhQ4c0aNAg3hkF4L55eHjIYrHo+++/V+PGjVW1alWlpKRo+vTp8vDwUO/eve3v8KaU4X5RzJAvxcbGatKkSapQoYJOnjypVq1aqXjx4vrHP/4hSSpatKjGjh2r6OhoDRw4UFWqVHFyYgD5zfVVr99++02XL1+Wr6+v2rRpox07dmj16tUKCQmRj4+PPD09deDAAf3555/cegf/M4oZ8p1t27Zp+vTpmjx5sipUqKBVq1Zp9+7dSk9P15gxYzRlyhRJ0pEjR2S1WpWZmSlXV1d+gwVwTywWizZu3Ki5c+eqbt26+vPPP9W8eXOVLl1aq1ev1po1a3Ts2DHNnz9fkZGROnz4sP71r385OzbyOW6XgXxlx44dGjp0qD744APVqlVLxYoVU40aNZSVlaWRI0fKZrPpmWee0cyZMxUZGamwsDC5ublRygDclePHj2vu3LmSpFOnTmnx4sX673//qxo1aujKlSvq3LmzGjZsqClTpqhfv34aPHiwTpw4ofXr18vf39/J6fF3wIoZ8pX09HRJUmJioipUqCBJiomJkbu7uypXrqxp06Zp6dKlKlmypNq3b2/fBwDuhouLi7744gvZbDZ17dpVpUuX1sKFCxUbG6upU6dqx44dWrdund5//31VrFhRe/fuVWRkpCIiIvToo486Oz7+BnhXJvKdLVu2KDw8XG+99ZYOHz6svXv3asaMGfYbOQLA/bDZbHJxcdGxY8c0YMAA+fv7y2azadeuXZo4caJq1aqlDRs2aN26dZo8ebLc3d1lsVh08eJFlShRwtnx8TdBMUO+tHnzZo0ZM0ZeXl7asGGDJPHxSgDuy4ULF+Tm5qaiRYvaL/g/duyYhg0bprS0ND3xxBNycXFR+fLltWzZMo0dO1aBgYH2Igc8SBQz5FuxsbEaN26cRo4cqVatWjk7DoB86MqVK2rTpo0uXbqkFi1aqESJEqpTp46qVasmLy8vDRo0SBUqVFDjxo2VkpKif/3rX2rYsCH3KUOeoZghX9uyZYuGDx+ucePGqV27ds6OAyAf+uabbzRp0iQ9+uij6ty5s9atW6c//vhDNWvW1LZt23T+/HkNGDBAw4YNc3ZUFAAUM+R73333ncqVK6dy5co5OwqAfGrr1q169913NXbsWDVt2lRWq1UnT55UYmKijh49qvLlyysgIMDZMVEAUMwAAJC0ceNGvffee3r11VcVGhp6y+OcvoQjcLsMAAAktW7dWi4uLpo8ebIMw1Dnzp2zPU4pgyNQzAAA+P9atmyprKwshYeHq2nTpvL19aWQwaE4lQkAwE1SUlL00EMPOTsGCiCKGQAAgElwZzwAAACToJgBAACYBMUMAADAJChmAAAAJkExA5Av/fTTT+rdu7dCQkLUvn179evXT7///vt9H2/ZsmVavHixJGnJkiWaN2/eg4qao2PHjiksLCzP5wGQf3AfMwD5Tnp6ugYMGKBPP/1U1atXlyRFR0fr5Zdf1qZNm+Tq6nrPx4yLi1PlypUlSd27d3+geXNy8uRJHTlyxCFzAcgfKGYA8p1r167p8uXLunr1qn2sQ4cOKlq0qLKyshQbG6u5c+cqIyNDnp6eeuutt1S3bl3NnDlTJ06cUHJysk6cOKFSpUpp6tSp2rdvnzZv3qxt27bJ09NT586d0/nz5/XOO++oZcuWat++vXbu3KmLFy+qX79+2rNnj3755Re5ublp7ty5KlWqlJKSkjRu3DidOnVKGRkZCg4O1sCBA3X8+HH17dtXgYGB2rdvny5duqThw4erZcuWGj16tJKSkvTSSy9p/vz5TvyJAjALTmUCyHdKlCih4cOHq1+/fmrVqpWGDx+u5cuXq3Hjxjp58qQiIiI0b948rVy5UuPHj1dYWJi9xO3evVsffvihYmJiVLhwYS1dulRPPfWUWrZsqb59+6pnz563zGe1WhUZGakhQ4bonXfe0fPPP69Vq1bpkUce0VdffSVJGj58uDp37qwVK1YoKipK27dv19q1ayX9dcqyadOmioqK0v/93/9p4sSJcnV11YQJE/Too49SygDYsWIGIF964YUX1LVrV+3atUu7du3Sxx9/rI8//lg9evTQmTNn1LdvX/u+FotFR48elSQ1aNBARYsWlSRVq1ZNFy9ezHWuoKAgSZKfn5/++c9/qmrVqpKkRx99VBcvXtTVq1e1a9cuXbx4UR9++KEk6erVqzp48KBq1aold3d3BQYG2ue8cOHCg/oxAPiboZgByHfi4uK0d+9e9evXTy1atFCLFi30+uuvq3379kpNTZW/v7+mT59u3//UqVPy9fXVN998I09PT/u4xWLR3Xz4SaFChexfu7u73/K4zWaTYRhaunSpChcuLEk6d+6cPDw8dP78ebm7u8vFxcU+JwDkhFOZAPIdb29vzZ07V7t377aPJScnKzU1Va1atdK2bdt0+PBhSVJsbKw6dOigtLS0Ox7T1dVVmZmZ95WnaNGiqlOnjhYsWCBJunTpkrp3765NmzblOmdGRsZ9zQng74kVMwD5ToUKFTR79mxFRETo9OnT8vDwULFixTRx4kRVrVpV48aN0+uvvy7DMOwX6Ht5ed3xmAEBAZo0adJ9Z5o2bZrGjx+vkJAQpaenq3379urQoYOOHz+e4/c89thj8vDwUJcuXbRs2TJW0wDwIeYAAABmwalMAAAAk6CYAQAAmATFDAAAwCQoZgAAACZBMQMAADAJihkAAIBJUMwAAABMgmIGAABgEv8PY0RBwGldIi8AAAAASUVORK5CYII=\n", + "text/plain": [ + "
" + ] + }, + "metadata": {}, + "output_type": "display_data" + }, + { + "data": { + "image/png": "iVBORw0KGgoAAAANSUhEUgAAAgAAAAGECAYAAABAsZipAAAAOXRFWHRTb2Z0d2FyZQBNYXRwbG90bGliIHZlcnNpb24zLjQuMywgaHR0cHM6Ly9tYXRwbG90bGliLm9yZy/MnkTPAAAACXBIWXMAAAsTAAALEwEAmpwYAAAuHElEQVR4nO3de1hVZf7//9d2CyhiarVBPzVZlmFJKKZpZlieOMhBCQ9h0nwmMSMzrTRLR6Ayy3EibUTH6WRmJp5QCpHUDlNSqTkqZVqa+vW0wTAGkMOWvX9/dLV/nx0h2rA3I+v5uC6vi/te973We3mV68U6mhwOh0MAAMBQmjV2AQAAwPMIAAAAGBABAAAAAyIAAABgQAQAAAAMiAAAAIABNW/sAgBcmGPHjmnw4MG68cYbnX0Oh0OJiYmKj48/79yxY8dqzJgxCg8Pv+DtrVixQqWlpRo/frxWrVql6upqjRkz5nfX3xCqqqq0aNEiffTRR3I4HLLb7YqOjlZSUpJMJtPv2k/AqAgAwCWkRYsWWr9+vbNttVoVFRWloKAgdenSpUG3de+99zp/3rlzpzp37tyg679YDodDycnJuu6667Ry5Ur5+PjozJkzevDBB3X27FlNnjy5UesDLjUEAOASFhAQoI4dO+rw4cPq0qWLFi5cqPfff19ms1nXXXed/vznP8tisbjMWbx4sbZs2aLKykpVVFToySef1ODBg/XKK6/oX//6lwoLCxUYGKiOHTvqzJkzuv3227V161Z99tlnatGihd566y3NmjVLd9xxhyRpxowZuvHGG3X//fc7t3Hs2DGNHTtWd955p3bv3i2Hw6FZs2apZ8+ekqRFixYpLy9PdrtdV111lVJSUhQQEKCxY8eqTZs2OnTokO69916NHTvWuc7t27fr0KFDWrJkicxmsySpXbt2mjt3ro4fP17r76au/Tx48KBmzJih6upqORwOxcfHa8yYMXX2A00V9wAAl7Bdu3bp6NGj6tatm9asWaN//vOfWr16tbKzs9W5c2dNnz7dZfzx48e1bds2LVu2TNnZ2ZoyZYoWLFjgsnzdunWaN2+es2/w4MEaMGCA/vjHP2rMmDG69957lZmZKUkqKyvT1q1bNXz48Fq1nThxQr169dL69ev1+OOPa/LkybLZbMrKytKBAwe0atUqrV+/Xv3799fMmTOd8y677DLl5OS4HPwlqaCgQMHBwc6D/y+uvfZaZxi5kP187bXXNGDAAK1du1ZLlizRjh07ZLfb6+wHmirOAACXkMrKSsXGxkqSampq1K5dO/3lL39Rhw4d9MknnyguLk6+vr6SpMTERC1evFjV1dXO+VdddZXmzp2r7OxsHTlyRLt371Z5eblzeffu3dW8+fn/WYiLi9PChQtVXFys3Nxc3XXXXbrssstqjWvTpo2io6MlSf3795fZbNb+/fv14Ycfau/evbrnnnskSXa7XRUVFc55v5wl+LVmzZrpQt9cfr79HDx4sJ588knt2bNHt99+u2bOnKlmzZrV2Q80VfzXDVxCfrkHYP369Xrvvfe0bNky9e/fX9LPB1KTyeQca7fbde7cOZf5X3/9tUaNGqWysjLdcccdGjdunMvyX8LD+Vx22WUKDw/Xhg0btGbNGpd7Bf6vX/+mbrfbZTabZbfbNW7cOOd+rFmzRitWrKi3hm7dumnv3r2qqalx6d+zZ4+mTp16wft59913a9OmTYqIiNC+ffsUHR2tU6dO1dkPNFUEAKCJuPPOO7VmzRqdPXtWkrRs2TL16tVL3t7ezjHbt29XUFCQ/vd//1e33XabtmzZUuuA+lvMZrNLmBgzZozeeustORwOBQcH/+ac4uJiffLJJ5KkrVu3ysvLSzfeeKP69eun1atXq6ysTJI0f/58TZs2rd4aQkJC1KlTJ82ZM0dVVVWSpNOnT+u5557T1Vdf7TL2fPv5+OOPKycnR0OHDlVKSor8/Px09OjROvuBpopLAEATER8fr5MnT2rEiBGy2+3q2LGjy7V8SYqKilJeXp4iIiJkt9t19913q6SkxHkwrktoaKheeOEFSdKDDz6oLl26qE2bNho9enSdc3x8fLR+/XrNmzdPLVq00MKFC2U2mzVixAhZrVaNHDlSJpNJHTp0cK67PgsWLFB6erri4uKcZxOGDRumBx544IL3Mzk5WTNmzNDKlStlNps1aNAg9erVS1dcccVv9gNNlYnPAQO4WEePHtXYsWOVm5urli1b1lp+7NgxRUdHa9euXY1QHYALwRkAABdl/vz5yszMVFpa2m8e/AFcGjgDAACAAXETIAAABkQAAADAgAxzD4Ddbld5ebm8vLxcnpUGAKApcjgcstlsatWq1W++1MowAaC8vFwHDhxo7DIAAPCoG2+8Ua1bt67Vb5gA4OXlJennv4j/+2IUAACaourqah04cMB5/Ps1wwSAX077e3t7y8fHp5GrAQDAM+q67M1NgAAAGBABAAAAAyIAAABgQI0SALKzsxUZGakhQ4Zo+fLltZZv3rxZsbGxiomJUXJyskpKSiRJ69atU79+/RQbG6vY2Filp6d7unQAAJoEj98EaLValZ6errVr18rb21ujR49W7969dcMNN0iSysrKlJqaqjVr1iggIEDz58/XK6+8opkzZ6qgoEDTp09XVFSUp8sGAKBJ8fgZgG3btqlPnz5q27atfH19FRYWptzcXOdym82mlJQUBQQESJICAwN18uRJSdLevXu1bt06RUdH64knnnCeGQAAABfH4wGgsLBQFovF2fb395fVanW227Vrp8GDB0uSKisrtWTJEg0aNEiSZLFYlJycrA0bNqhDhw565plnPFs8AABNhMcvAdjtdpdnEh0Ox28+o1haWqqHH35YXbp00fDhwyVJCxcudC4fN26cMygAAICL4/EzAO3bt1dRUZGzXVRUJH9/f5cxhYWFSkhIUGBgoGbPni3p50Dw5ptvOsc4HA6ZzWaP1AwAQFPj8QDQt29f5efnq7i4WBUVFcrLy1NoaKhzeU1NjSZMmKCIiAjNmDHDeXbA19dXr776qnbv3i1JevvttzkDAADA7+TxSwABAQGaMmWKEhMTZbPZFB8fr+DgYCUlJWnSpEk6deqUvvnmG9XU1GjTpk2SpKCgIM2ePVsvv/yyUlNTVVlZqWuvvVZz5871dPkAADQJJofD4WjsIjyhqqpKBQUFCgoK4lsAAIAmr77jnmE+BgSg6Sk9W60qW01jlwE0GB8vs1r7euaLtQQAAJesKluNMlbvbuwygAaTHN9NrT20Lb4FAACAAREAAAAwIAIAAAAGRAAAAMCACAAAABgQAQAAAAMiAAAAYEAEAAAADIgAAACAAREAAAAwIAIAAAAGRAAAAMCACAAAABgQAQAAAAMiAAAAYEAEAAAADIgAAACAAREAAAAwIAIAAAAGRAAAAMCACAAAABgQAQAAAAMiAAAAYEAEAAAADIgAAACAAREAAAAwIAIAAAAG1CgBIDs7W5GRkRoyZIiWL19ea/nmzZsVGxurmJgYJScnq6SkRJJ04sQJjRkzRuHh4XrooYdUXl7u6dIBAGgSPB4ArFar0tPT9c477ygrK0srV67U999/71xeVlam1NRULVmyRBs2bFBgYKBeeeUVSVJaWpoSEhKUm5uroKAgZWRkeLp8AACaBI8HgG3btqlPnz5q27atfH19FRYWptzcXOdym82mlJQUBQQESJICAwN18uRJ2Ww2bd++XWFhYZKkuLg4l3kAAODCeTwAFBYWymKxONv+/v6yWq3Odrt27TR48GBJUmVlpZYsWaJBgwbpzJkz8vPzU/PmzSVJFovFZR4AALhwHg8AdrtdJpPJ2XY4HC7tX5SWlmr8+PHq0qWLhg8f/pvjfmseAACon8cDQPv27VVUVORsFxUVyd/f32VMYWGhEhISFBgYqNmzZ0uSLr/8cpWWlqqmpqbOeQAA4MJ4PAD07dtX+fn5Ki4uVkVFhfLy8hQaGupcXlNTowkTJigiIkIzZsxw/pbv5eWlnj17KicnR5KUlZXlMg8AAFy45p7eYEBAgKZMmaLExETZbDbFx8crODhYSUlJmjRpkk6dOqVvvvlGNTU12rRpkyQpKChIs2fPVkpKiqZPn65FixapQ4cOeumllzxdPgAATYLJ4XA4GrsIT6iqqlJBQYGCgoLk4+PT2OUAaACnSyqUsXp3Y5cBNJjk+G66sk3LBllXfcc93gQIAIABEQAAADAgAgAAAAZEAAAAwIAIAAAAGBABAAAAAyIAAABgQAQAAAAMiAAAAIABEQAAADAgAgAAAAZEAAAAwIAIAAAAGBABAAAAAyIAAABgQAQAAAAMiAAAAIABEQAAADAgAgAAAAZEAAAAwIAIAAAAGBABAAAAAyIAAABgQAQAAAAMiAAAAIABEQAAADAgAgAAAAZEAAAAwIAIAAAAGBABAAAAA2qUAJCdna3IyEgNGTJEy5cvr3PctGnTtHbtWmd73bp16tevn2JjYxUbG6v09HRPlAsAQJPT3NMbtFqtSk9P19q1a+Xt7a3Ro0erd+/euuGGG1zGpKSkKD8/X3369HH2FxQUaPr06YqKivJ02QAANCkePwOwbds29enTR23btpWvr6/CwsKUm5vrMiY7O1sDBw5URESES//evXu1bt06RUdH64knnlBJSYknSwcAoMnweAAoLCyUxWJxtv39/WW1Wl3GjBs3TiNGjKg112KxKDk5WRs2bFCHDh30zDPPuL1eAACaIo9fArDb7TKZTM62w+FwaZ/PwoULnT+PGzdOgwcPbvD6AAAwAo+fAWjfvr2Kioqc7aKiIvn7+9c7r7S0VG+++aaz7XA4ZDab3VEiAABNnscDQN++fZWfn6/i4mJVVFQoLy9PoaGh9c7z9fXVq6++qt27d0uS3n77bc4AAADwO3n8EkBAQICmTJmixMRE2Ww2xcfHKzg4WElJSZo0aZJuueWW35xnNpv18ssvKzU1VZWVlbr22ms1d+5cD1cPAEDTYHI4HI7GLsITqqqqVFBQoKCgIPn4+DR2OQAawOmSCmWs3t3YZQANJjm+m65s07JB1lXfcY83AQIAYEAEAAAADIgAAACAAREAAAAwIAIAAAAGRAAAAMCACAAAABgQAQAAAAMiAAAAYEAEAAAADIgAAACAAREAAAAwIAIAAAAGRAAAAMCACAAAABgQAQAAAAMiAAAAYEAEAAAADIgAAACAAREAAAAwIAIAAAAGRAAAAMCACAAAABgQAQAAAAMiAAAAYEAEAAAADIgAAACAAREAAAAwIAIAAAAG1CgBIDs7W5GRkRoyZIiWL19e57hp06Zp7dq1zvaJEyc0ZswYhYeH66GHHlJ5ebknygUAoMnxeACwWq1KT0/XO++8o6ysLK1cuVLff/99rTETJkzQpk2bXPrT0tKUkJCg3NxcBQUFKSMjw5OlAwDQZHg8AGzbtk19+vRR27Zt5evrq7CwMOXm5rqMyc7O1sCBAxUREeHss9ls2r59u8LCwiRJcXFxteYBAIAL09zTGywsLJTFYnG2/f39tWfPHpcx48aNkyTt3LnT2XfmzBn5+fmpefOfS7ZYLLJarR6oGACApsfjZwDsdrtMJpOz7XA4XNp1+a1xFzIPAADU5vEA0L59exUVFTnbRUVF8vf3r3fe5ZdfrtLSUtXU1FzUPAAAUJvHA0Dfvn2Vn5+v4uJiVVRUKC8vT6GhofXO8/LyUs+ePZWTkyNJysrKuqB5AACgtnoDQFFRkcaPH6+wsDCdPn1aDzzwgAoLC3/3BgMCAjRlyhQlJiZq2LBhioqKUnBwsJKSkrR3797zzk1JSVFmZqYiIyO1Y8cOTZ48+XfXAQCAkZkcDofjfAMmTpyo0NBQvf3221qzZo1efvllfffdd1qyZImnamwQVVVVKigoUFBQkHx8fBq7HAAN4HRJhTJW727sMoAGkxzfTVe2adkg66rvuFfvGYDjx49r5MiRatasmby8vDR16lSdPHmyQYoDAACNo94AYDKZZLfbne2ysjKXNgAAuPTU+x6AIUOG6IknnlBpaaneffddrVq1yuUFPQAA4NJTbwCYMGGCsrKyZLfbtW3bNo0aNUojRozwRG0AAMBN6g0A06ZN09y5czVs2DAPlAMAADyh3nsA9u3bp3oeFAAAAJeYes8A+Pv7a+jQoerWrZtatWrl7J85c6ZbCwMAAO5TbwAICQlRSEiIJ2oBAAAeUm8AmDhxosrLy/X111/r3LlzCg4Olp+fnydqAwAAblJvANizZ4+Sk5N15ZVXqqamRlarVYsXL1aPHj08UR8AAHCDegPAiy++qHnz5qlPnz6SpPz8fL3wwgvKzMx0e3EAAMA96n0KoLy83Hnwl6Tbb79dFRUVbi0KAAC41wW9Cvj48ePO9rFjx2Q2m91aFAAAcK96LwE8/PDDGjVqlG6//XaZTCZ9+umnSklJ8URtAADATeoNAIMGDVKnTp30+eefy26368EHH9T111/vidoAAICb1HsJ4Ntvv9ULL7yghIQE9erVS4899pgOHTrkidoAAICb1BsAUlNTnR//CQwM1COPPMIlAAAALnH1BoCKigoNHjzY2R40aJDKysrcWhQAAHCvC3oK4Ntvv3W2Dx48qGbN6p0GAAD+i9V7E+Cjjz6qsWPH6sYbb5QkHTp0SPPmzXN7YQAAwH3qDQB33323cnNz9dVXX8lsNqtbt2664oorPFEbAABwk/Oey//3v/+tsrIyXXHFFeratauOHDmigwcPeqo2AADgJnUGgJ07d2rgwIHavXu3SkpKNHLkSH3yySdKS0tTdna2J2sEAAANrM4A8PLLL2vRokW644479N5778nf319vvPGGli9frjfeeMOTNQIAgAZWZwAoKSlRz549JUnbt2/X3XffLUlq27atbDabZ6oDAABuUWcAMJlMzp+/+uorZxiQpLNnz7q3KgAA4FZ1PgXQvn17bdmyRWfPnlVlZaVuvfVWSVJeXp46derksQIBAEDDqzMAPPnkk5o0aZKKioqUmpoqb29v/fWvf1VmZqaWLl3qyRoBAEADqzMAdOrUSe+9955L3/Dhw5WUlKTLLrvM7YUBAAD3uah3+nbq1KlBDv7Z2dmKjIzUkCFDtHz58lrL9+3bp7i4OIWFhWnGjBk6d+6cJGndunXq16+fYmNjFRsbq/T09P+4FgAAjKjeNwE2NKvVqvT0dK1du1be3t4aPXq0evfurRtuuME5ZurUqXruuefUvXt3Pf3008rMzFRCQoIKCgo0ffp0RUVFebpsAACaFI9/1Wfbtm3q06eP2rZtK19fX4WFhSk3N9e5/Pjx46qsrFT37t0lSXFxcc7le/fu1bp16xQdHa0nnnhCJSUlni4fAIAmod4AsGzZsgb9/G9hYaEsFouz7e/vL6vVWudyi8XiXG6xWJScnKwNGzaoQ4cOeuaZZxqsLgAAjKTeSwD79+9XWFiY7rrrLo0ePVq33HLLf7RBu93u8o4Bh8Ph0j7f8oULFzr7x40bp8GDB/9HtQAAYFT1ngF47rnntGnTJgUFBSktLU333HOPVq9eraqqqt+1wfbt26uoqMjZLioqkr+/f53LT58+LX9/f5WWlurNN9909jscDpnN5t9VAwAARndB9wD4+fkpPDxcUVFR+umnn/TOO+8oPDxcW7duvegN9u3bV/n5+SouLlZFRYXy8vIUGhrqXH7VVVfJx8dHO3fulCStX79eoaGh8vX11auvvqrdu3dLkt5++23OAAAA8DvVewkgPz9fK1euVH5+vsLCwrRw4UJ16dJFR48eVUJCggYMGHBRGwwICNCUKVOUmJgom82m+Ph4BQcHKykpSZMmTdItt9yiefPmaebMmSorK1PXrl2VmJgos9msl19+WampqaqsrNS1116ruXPn/u4dBwDAyEwOh8NxvgHh4eFKSEjQ8OHD1bp1a5dlCxYs0KRJk9xaYEOpqqpSQUGBgoKC5OPj09jlAGgAp0sqlLF6d2OXATSY5PhuurJNywZZV33HvXovAYwdO1aJiYkuB/8lS5ZI0iVz8AcAAK7qvASwYsUKVVZW6s0331R1dbWz32az6d1339X48eM9UiAAAGh4dQaA5s2b68CBA6qsrNSBAwec/WazWdOnT/dIcQAAwD3qDAAjRozQiBEjtHnzZg0aNMiTNQEAADerMwD84x//UFJSkvLz8/X555/XWj5z5ky3FgYAANynzgDwy01/7dq181gxAADAM+oMAKNHj5YkHT16lOftAQBoYup9DPDbb79VPa8KAAAAl5h63wRosVg0dOhQdevWTa1atXL2cw8AAACXrnoDQEhIiEJCQjxRCwAA8JB6A8DEiRNr9Z09e9YtxQAAAM+oNwBs3rxZCxYs0NmzZ+VwOGS32/XTTz9p165dnqgPAAC4Qb0BYO7cuZo8ebJWrFihpKQkbd682eVeAAAAcOmp9ymAli1bKjIyUt27d5ePj49SU1P10UcfeaA0AADgLvUGAB8fH1VXV+uaa67Rvn371KxZM5lMJk/UBgAA3KTeSwADBgzQ+PHj9eKLL2rUqFHauXMnbwcEAOASV28AmDBhgmJiYhQQEKCMjAxt375dUVFRnqgNAAC4SZ0BIC8vz6VdUFAgSerQoYN27typIUOGuLcyAADgNnUGgGXLltU5yWQyEQAAALiEXXAAOHfunBwOh7y8vNxeFAAAcK96nwL48ccflZSUpO7duys4OFiJiYmyWq2eqA0AALhJvQHgmWeeUbdu3bRt2zZt27ZNPXv2VGpqqgdKAwAA7lJvADh8+LAmTpyoyy67TO3atdOkSZN09OhRT9QGAADcpN4AcO7cOVVVVTnbFRUVvAgIAIBLXL3vAYiMjNQf//hHxcXFyWQyac2aNQoLC/NEbQAAwE3qDQAPP/yw2rdvr3/+85+y2+2Ki4tTfHy8J2oDAABuct4AcODAAR0+fFj9+vXTPffc46maAACAm9V5D8CaNWt033336R//+IdiYmL06aeferIuAADgRud9EVB2drYCAgK0a9cupaenq1+/fp6sDQAAuMl5nwIICAiQJIWEhOjMmTMeKQgAALhfnQHg14/6mc3mBttodna2IiMjNWTIEC1fvrzW8n379ikuLk5hYWGaMWOGzp07J0k6ceKExowZo/DwcD300EMqLy9vsJoAADCSet8D8IuGevbfarUqPT1d77zzjrKysrRy5Up9//33LmOmTp2qWbNmadOmTXI4HMrMzJQkpaWlKSEhQbm5uQoKClJGRkaD1AQAgNHUGQD279+vHj16OP/80g4JCVGPHj1+9wa3bdumPn36qG3btvL19VVYWJhyc3Ody48fP67Kykp1795dkhQXF6fc3FzZbDZt377d+Q6CX/oBAMDFq/MmwA8++MAtGywsLJTFYnG2/f39tWfPnjqXWywWWa1WnTlzRn5+fmrevLlLPwAAuHh1BoCrrrrKLRu02+0ulxMcDodLu67lvx4nNdxlid+r9Gy1qmw1jVoD0FB8vMxq7evd2GVcFB8vs5LjuzV2GUCD8fFquPvt6lPvmwAbWvv27bVjxw5nu6ioSP7+/i7Li4qKnO3Tp0/L399fl19+uUpLS1VTUyOz2VxrXmOostUoY/XuRq0BaCjJ8d3UurGLuEitfb0vuZqB/xYXfBNgQ+nbt6/y8/NVXFysiooK5eXlKTQ01Ln8qquuko+Pj3bu3ClJWr9+vUJDQ+Xl5aWePXsqJydHkpSVleUyDwAAXDiPB4CAgABNmTJFiYmJGjZsmKKiohQcHKykpCTt3btXkjRv3jzNmTNH4eHhOnv2rBITEyVJKSkpyszMVGRkpHbs2KHJkyd7unwAAJoEk8PhcDR2EZ5QVVWlgoICBQUFycfHp0HWebqkgksAaDKS47vpyjYtG7sMAA2kvuOex88AAACAxkcAAADAgAgAAAAYEAEAAAADIgAAAGBABAAAAAyIAAAAgAERAAAAMCACAAAABkQAAADAgAgAAAAYEAEAAAADIgAAAGBABAAAAAyIAAAAgAERAAAAMCACAAAABkQAAADAgAgAAAAYEAEAAAADIgAAAGBABAAAAAyIAAAAgAERAAAAMCACAAAABkQAAADAgAgAAAAYEAEAAAADIgAAAGBAzT29wRMnTmjq1Kn68ccfdd1112nevHlq1aqVy5jq6mrNmDFDBQUFatGihebNm6frr79eNptNvXv31h/+8Afn2LVr18psNnt6NwAAuKR5/AxAWlqaEhISlJubq6CgIGVkZNQas2zZMrVs2VIbN27U008/raeeekqStH//foWEhGj9+vXOPxz8AQC4eB4NADabTdu3b1dYWJgkKS4uTrm5ubXGffTRR4qJiZEk9erVS8XFxTpx4oT27t2r4uJixcXFaeTIkfryyy89WT4AAE2GRy8BnDlzRn5+fmre/OfNWiwWWa3WWuMKCwtlsVicbYvFolOnTslkMmngwIF68MEH9d133ykpKUnZ2dm6/PLLPbYPAAA0BW4LABs3btScOXNc+jp27CiTyeTS9+u2JDkcDpd+h8OhZs2aafTo0c6+m2++WcHBwfrqq680aNCgBq4eAICmzW0BICIiQhERES59v9zEV1NTI7PZrKKiIvn7+9eaGxAQoMLCQl1zzTWSpNOnT8vf319ZWVnq0aOHs9/hcMjLy8tduwAAQJPl0XsAvLy81LNnT+Xk5EiSsrKyFBoaWmtc//79tX79eknSjh075OPjo//5n//R/v379frrr0uSDh06pH379unWW2/13A4AANBEePwpgJSUFGVmZioyMlI7duzQ5MmTJUkrVqzQ/PnzJUljx45VdXW1hg4dqtmzZ2vu3LmSpIcffljFxcWKiorSo48+qhdffFF+fn6e3gUAAC55JofD4WjsIjyhqqpKBQUFCgoKko+PT4Os83RJhTJW726QdQGNLTm+m65s07KxywDQQOo77vEmQAAADIgAAACAAREAAAAwIAIAAAAGRAAAAMCACAAAABgQAQAAAAMiAAAAYEAEAAAADIgAAACAAREAAAAwIAIAAAAGRAAAAMCACAAAABgQAQAAAAMiAAAAYEAEAAAADIgAAACAAREAAAAwIAIAAAAGRAAAAMCACAAAABgQAQAAAAMiAAAAYEAEAAAADIgAAACAAREAAAAwIAIAAAAGRAAAAMCACAAAABiQxwPAiRMnNGbMGIWHh+uhhx5SeXl5nWM/++wz3X///c62w+HQiy++qPDwcEVGRmrnzp2eKBkAgCbH4wEgLS1NCQkJys3NVVBQkDIyMmqNsdvtev311/XYY4/Jbrc7+zdt2qSDBw8qJydHCxcu1FNPPaVz5855snwAAJoEjwYAm82m7du3KywsTJIUFxen3NzcWuMOHjyogwcP6tlnn3Xp//jjjxUZGalmzZrpuuuuU4cOHbRr1y6P1A4AQFPi0QBw5swZ+fn5qXnz5pIki8Uiq9Vaa1znzp01e/ZstWnTxqW/sLBQ/v7+zrbFYtGpU6fcWzQAAE1Qc3eteOPGjZozZ45LX8eOHWUymVz6ft0+H7vd7jLe4XCoWTPuYwQA4GK5LQBEREQoIiLCpc9ms6l3796qqamR2WxWUVGRy2/09Wnfvr0KCwud7dOnT1/UfAAA8DOP/vrs5eWlnj17KicnR5KUlZWl0NDQC54fGhqq7Oxs1dTU6MiRIzp8+LBuueUWd5ULAECT5bYzAHVJSUnR9OnTtWjRInXo0EEvvfSSJGnFihUqLCzUo48+Wufc8PBw7dmzRzExMZKk2bNnq0WLFh6pGwCApsTkcDgcjV2EJ1RVVamgoEBBQUHy8fFpkHWeLqlQxurdDbIuoLElx3fTlW1aNnYZABpIfcc97qADAMCACAAAABgQAQAAAAMiAAAAYEAEAAAADIgAAACAAREAAAAwIAIAAAAGRAAAAMCACAAAABgQAQAAAAMiAAAAYEAEAAAADIgAAACAAREAAAAwIAIAAAAGRAAAAMCACAAAABgQAQAAAAMiAAAAYEAEAAAADIgAAACAAREAAAAwIAIAAAAGRAAAAMCACAAAABgQAQAAAANq3tgFXMp8vMxKju/W2GUADcLHy9zYJQDwIALAf6C1r7daN3YRAAD8Dh4PACdOnNDUqVP1448/6rrrrtO8efPUqlWr3xz72WefacmSJVq6dKkkyWazqXfv3vrDH/7gHLN27VqZzfzmAgDAxfD4PQBpaWlKSEhQbm6ugoKClJGRUWuM3W7X66+/rscee0x2u93Zv3//foWEhGj9+vXOPxz8AQC4eB4NADabTdu3b1dYWJgkKS4uTrm5ubXGHTx4UAcPHtSzzz7r0r93714VFxcrLi5OI0eO1JdffumRugEAaGo8GgDOnDkjPz8/NW/+85UHi8Uiq9Vaa1znzp01e/ZstWnTxqXfZDJp4MCBWrlypVJTUzVlyhQVFxd7pHYAAJoSt90DsHHjRs2ZM8elr2PHjjKZTC59v26fz+jRo50/33zzzQoODtZXX32lQYMG/WfFAgBgMG4LABEREYqIiHDp++UmvpqaGpnNZhUVFcnf3/+C15mVlaUePXrommuukSQ5HA55eXk1aN0AABiBRy8BeHl5qWfPnsrJyZH08wE9NDT0gufv379fr7/+uiTp0KFD2rdvn2699Va31AoAQFPm8acAUlJSlJmZqcjISO3YsUOTJ0+WJK1YsULz588/79yHH35YxcXFioqK0qOPPqoXX3xRfn5+HqgaAICmxeRwOByNXYQnVFVVqaCgQEFBQfLx8WnscgAAcKv6jnt8CwAAAAMiAAAAYEAEAAAADMgwHwP65VaH6urqRq4EAAD3++V4V9etfoYJADabTZJ04MCBRq4EAADPsdlsatGiRa1+wzwFYLfbVV5eLi8vr4t6+yAAAJcih8Mhm82mVq1aqVmz2lf8DRMAAADA/4+bAAEAMCACAAAABkQAAADAgAgAAAAYEAEAAAADIgAAAGBABAAAAAyIAID/avPnz9eWLVskSWPHjnX2x8bGNlZJgOFlZmbqvffek+T6/yguLbwICJeMwMBA7d+/v7HLAAxv+vTpuu222xQXF9fYpeA/YJhvAcDzvvjiC2VkZKh58+Y6duyYgoODNXv2bGVnZ+uNN96QyWRS165d9ec//1ne3t56+umn9d1330mSEhISNHLkSOc/NN98840kacSIEVq1apUCAwP19ddf66677lJWVpauvPJK/fTTT4qKitKHH36o/Px8LViwQOfOndPVV1+tZ599Vu3atWvMvw7AY7744gv9/e9/V4sWLXTw4EEFBgZq3rx5ysnJ0dKlS2W329W1a1elpKTIx8dHOTk5WrBggXx9fXXTTTeppqZGL7zwgjZu3Kg33nhDlZWVqq6u1vPPP6/Kykpt3bpVn3/+uSwWi95//33ddttt2r9/vwICAvSnP/1JkvTII48oJiZGISEhmjVrlk6dOiWTyaTHH39cffv2beS/IUhcAoCb7dq1SzNmzFBubq6qqqq0ZMkSLV68WMuWLVN2drZatmypv/3tb9q1a5dKSkqUlZWlv//979qxY4fLembOnClJWrVqlbOvefPmCg8PV25uriQpLy9PgwcPVmlpqf7617/qtddeU1ZWlvr166d58+Z5bqeB/wK7du3SrFmztHHjRp04cUIrVqxQZmam3n33Xa1fv15XXHGFXnvtNRUXF+v555/X0qVLtXr1apWUlEj6+fsp7777rhYvXqwNGzZo3LhxWrJkifr27asBAwZo0qRJuvPOO53bi42NdV4WKCsr065du9S/f3/Nnj1b99xzj9auXatFixZp1qxZKisra5S/E7jiDADcqlevXurUqZOkn/+BeOSRR3Tfffc5fxsfNWqUnnrqKY0fP14//PCDHnjgAYWGhmratGkXtP6YmBjNmTNH9913n9577z1NmTJFu3fv1smTJ5WYmCjp53/I2rRp454dBP5Lde7cWe3bt5ckXX/99SotLdWRI0c0cuRIST9/Ie7mm2/Wjh07FBISooCAAEnSsGHDtHnzZjVr1kwLFy7U1q1b9cMPP+jLL7/8zQ/K/OLmm29WdXW1jhw5ol27dmnAgAHy9vbWtm3bdOjQIS1YsECSdO7cOf2///f/dNNNN7n5bwD1IQDArcxms/Nnh8Mhu93ustzhcOjcuXNq166d3n//fX322Wf6+OOPNXz4cL3//vv1rj84OFglJSXas2ePrFarQkJCtHnzZvXo0UOLFy+WJFVVVam8vLxhdwz4L+fj4+P82WQyqXXr1oqIiHCeTSsvL1dNTY2+/PLLWv9f/rI8Pj5eMTEx6tWrlwIDA7V8+fLzbjMmJkY5OTnatWuXxo8fL+nnAL506VK1bdtWklRYWKgrrriigfYS/wkuAcCtdu7cKavVKrvdrqysLD311FPaunWrfvrpJ0k/303cu3dvbdmyRVOnTtVdd92lmTNnytfXVydPnnRZl9ls1rlz52ptIzo6WikpKRo6dKgkqVu3bvrXv/6lH374QZKUkZGhuXPnundHgUvABx98oB9//FEOh0OpqalaunSpevToob1796qwsFAOh0M5OTkymUw6fPiwTCaTJkyYoN69e+uDDz5QTU2NpJ//X/zl5/8rOjpaOTk5OnLkiG699VZJUp8+ffTOO+9Ikr7//ntFR0eroqLCczuNOnEGAG7l7++vadOmyWq16o477tB9990nX19fjR07VjabTV27dlVaWpp8fHyUl5enoUOHysfHRzExMQoMDHRZ18CBAxUbG6u1a9e69MfExGj+/PlKT0+XJFksFj3//POaPHmy7Ha7AgIC9Je//MVj+wz8N2rdurUmTpyo+++/X3a7XTfddJPGjx8vHx8fzZw5U3/605/k7e2tq6++Wpdddpm6dOmim266SRERETKZTOrXr5927twpSerbt69eeukltW7d2mUbHTp0ULt27RQSEiKTySTp5/t3Zs2apejoaEnS3Llz5efn59mdx2/iMUC4zRdffKG//e1vWrZsWWOXAqAOZ86c0bJlyzRx4kQ1a9ZMzz33nDp27Ojy3g00TZwBAAADa9u2rf79738rKipKZrNZXbt2dd4oiKaNMwAAABgQNwECAGBABAAAAAyIAAAAgAFxEyCAi1JTU6O33npL2dnZqqmpkc1m0913361HH31Us2bNUufOnfXAAw80dpkA6kEAAHBRUlNTVVJSoqVLl6p169Y6e/asnnjiCc2YMcPlzY8A/rsRAABcsGPHjik7O1uffvqp82Uuvr6+SktL01dffaUPP/zQOXb16tVauXKlbDabSkpKlJSUpISEBBUVFenJJ5/UmTNnJEn9+/fX5MmT6+wH4B7cAwDggn399de64YYbar3JzWKxKCwszNkuLy/XqlWrtGTJEmVlZSk9Pd35NsbMzExdffXVWrdunZYvX64jR46otLS0zn4A7sEZAAAXrFmzZr/54Zhfa9WqlRYvXqyPP/5Yhw8f1rfffquzZ89Kku68806NHz9eJ0+eVN++ffX444+rdevWdfYDcA/OAAC4YMHBwTp06FCt77lbrVaNHz9elZWVkqRTp05p2LBhOn78uG699VaXU/nBwcHasmWLRo0apePHj2vEiBEqKCiosx+Ae3AGAMAFCwgIUHR0tJ5++mk9//zz8vPzU1lZmVJTU9W2bVvn9+ILCgp0+eWXKzk5WZKcn2auqalRenq6HA6Hpk6dqoEDB2r//v367rvvlJub+5v9QUFBjba/QFPGq4ABXJRz584pIyNDeXl5MpvNqq6u1qBBg/TII484HwNMSEjQlClT9MMPP8hkMum2227TBx98oOXLl6t169aaPn26rFarvL29FRgYqLS0NJWUlPxmv7e3d2PvMtAkEQAAADAg7gEAAMCACAAAABgQAQAAAAMiAAAAYEAEAAAADIgAAACAAREAAAAwIAIAAAAG9P8B7YPLhrGU8W4AAAAASUVORK5CYII=\n", + "text/plain": [ + "
" + ] + }, + "metadata": {}, + "output_type": "display_data" + }, + { + "data": { + "image/png": "iVBORw0KGgoAAAANSUhEUgAAAfMAAAGECAYAAAAiKMkyAAAAOXRFWHRTb2Z0d2FyZQBNYXRwbG90bGliIHZlcnNpb24zLjQuMywgaHR0cHM6Ly9tYXRwbG90bGliLm9yZy/MnkTPAAAACXBIWXMAAAsTAAALEwEAmpwYAAApYUlEQVR4nO3de3zMd77H8fckkVQIQZPo1tmzdSmqjUXd0q5riEtG3EKqpReCWhRt9CLu181qU1Rdsk6rHlGCNDZh06i0eipqFa1Li7qUuk2iSCUSucycP5zO2VliwjGJX7yej4fHY77f729+8/lld/qe729+8/2ZbDabTQAAwLDcyrsAAADw/0OYAwBgcIQ5AAAGR5gDAGBwhDkAAAZHmAMAYHCEOXCXffvttxo8eLDMZrNCQ0M1bNgw/fjjj06ft2jRIs2YMeOmY5GRkTp69Ogd1fPzzz9rzJgxkiSLxaKIiIhbbv/xxx9r+fLlkqR169YpPj7+jl73brp27Zreffdd9e7dW2FhYTKbzVq+fLl++2Xt4MGDlZqaWs5VAuXHo7wLACqSgoICjRgxQv/1X/+lJk2aSJI2btyoyMhIbd26Ve7u7ne037i4uDuu6ezZszpx4oQkKSAgQGvWrLnl9s8884z98e7du9WgQYM7fu27wWazadSoUXrkkUe0du1aeXl56dKlSxoxYoSuXr2qcePGlWt9wL2AmTlwF+Xl5enKlSu6evWqva9Xr16aPHmyiouLtXPnToWGhtrH/r197NgxPfvsswoNDVVUVJRycnIkSZ06ddL+/fslSenp6QoPD1fv3r0VERGhvXv3SpKKioo0d+5chYSEqEePHpo0aZIKCgoUHR2tU6dOaejQoTp9+rSaNWum4uJitW/fXgcOHLC/9rhx47R69Wr7GYItW7YoPT1dH374oeLj4xUSEqLt27fbt580aZJWrlzpcPynT59Wx44dNWXKFIWFhalXr1765ptv7ONLlixRnz59FBYWplGjRslisUi6PrMePXq0evTooVWrVjnsc9euXTp+/LjefPNNeXl5SZJq1KihmJgYtWzZ8ob/DZYuXarw8HCZzWYFBwdry5Yt9r9tRESE+vbtqz59+tjPOJTUDxgJYQ7cRdWrV1dUVJSGDRumzp07KyoqShs2bFBQUJA8PT2dPv/UqVNatGiRkpOTZbPZtGTJEofxn376SbGxsVq+fLmSkpI0c+ZMjRkzRlevXtXq1at18OBBbdy4USkpKcrNzdXmzZs1a9Ys/f73v9eKFSvs+3F3d1e/fv2UmJgoScrOztaOHTtkNpvt23Tp0kWdOnXSCy+8oGeffVbPPPOMEhISJEk5OTlKT09Xnz59bjiGs2fPqmXLltq4caNeffVVjRs3ToWFhUpKStKRI0e0bt06bdy4Ue3bt1d0dLT9edWqVdPmzZs1ePBgh/0dOHBAgYGBN5zV+MMf/qCnnnrKoe/MmTPKyMjQqlWrlJycrPHjx2vhwoWSpBUrVqhTp05KTEzU8uXL9c0338hqtZbYDxgJp9mBu+zFF19UeHi4du3apV27dikuLk5xcXFav3690+d26dJFNWvWlCT169dPMTExDuPbt29XZmamXnjhBXufyWTSqVOnlJGRobCwMD3wwAOSpHfffVfS9dn/zfTr10/9+/fXG2+8oZSUFHXq1Ek+Pj4l1ta3b18tXrxYFy9eVGpqqjp06KBq1ardsF316tXtHwrat28vd3d3HT58WJ9//rn279+vfv36SZKsVqvy8vLsz3vyySdv+rpubm4q7arTDz/8sGJiYpScnKyTJ0/qu+++U25urqTrf9vXX39d+/btU9u2bRUdHS03N7cS+wEj4f+xwF20e/du/e1vf1PVqlXVsWNHTZw4UZs2bZLJZNL27dtlMpkcgqmwsNDh+f86+7RarfLwcPy8bbVa1bZtW23cuNH+LyEhQQ0aNLhh2wsXLigzM7PEWh9++GE99thj+uKLL5SYmKj+/fvf8tiqVaumbt266e9//7s2bNjg8N16ScfwW83u7u6yWq0aNmyYve4NGzbo448/tm/n7e190/01bdpU+/fvV3FxsUP/vn37FBUV5dB38OBBDRw4UDk5OXrqqac0bNgw+1jHjh316aefqnv37vrhhx9kNpt1/vz5EvsBIyHMgbuoZs2aWrJkicP3xFlZWcrJydGjjz6qmjVr6uzZs/rll19ks9m0adMmh+enp6crOztbxcXFSkhIULt27RzG27Ztq+3bt+vYsWOSpG3btqlXr17Kz89X27ZtlZKSooKCAlmtVk2bNk2bNm2Su7v7DR8afjNgwADFxcUpLy9PLVq0uGHc3d1dRUVF9vazzz6rjz76SDabTYGBgTfd58WLF/Xll1/aj6dSpUp69NFH9fTTT2v9+vX26wAWLFigiRMnOvuTqlmzZqpbt67mzp2ra9euSbr+QWXWrFmqU6eOw7a7du3S448/rhdffFGtWrXS1q1b7R8CXn31VW3evFk9e/bU1KlTVbVqVZ06darEfsBIOM0O3EWPPPKIFi9erNjYWJ0/f15eXl7y8fHRnDlzVLduXUlSRESE+vXrJz8/P3Xo0MF+YZsk1atXTyNGjNCvv/6qFi1aaPjw4Q77r1+/vmbMmKEJEybIZrPJw8NDS5YsUZUqVRQREaEzZ86ob9++stlsatWqlQYPHqycnBx5eXmpf//+io2Nddhfp06dNH36dEVGRt70eNq1a6d58+ZJkkaMGKFGjRqpevXqt/x5m5eXlzZu3Kj58+frgQce0OLFi+Xu7q7w8HBZLBYNGDBAJpNJDz30kH3fzixcuFCxsbHq27evfZbfu3dvDR061GG70NBQpaWlqXv37rJarerYsaOys7OVk5OjUaNGadKkSVq7dq3c3d0VHBysli1bqlatWjftB4zExC1QgXubzWZTmzZttHr1atWrV69cazl16pT9N92VK1e+Yfz06dMym832K+wBlA1OswP3MIvFovbt26tJkyZ65JFHyrWWBQsW6JlnntHkyZNvGuQAyg8zcwAADI6ZOQAABkeYAwBgcIa8mt1qtSo3N1eVKlWSyWQq73IAAHA5m82mwsJCValS5YaFjQwZ5rm5uTpy5Eh5lwEAQJl79NFHb1it0ZBhXqlSJUnXD6g0610DAGB0BQUFOnLkiD0D/5Uhw/y3U+uenp72uygBAHA/uNnXy1wABwCAwRHmAAAYHGEOAIDBEeYAABgcYQ4AgMER5gAAGBxhDgCAwRHmAAAYHGEOAIDBEeYAABgcYQ4AgMER5gAAGBxhDgCAwRnyrmmuUHglR9aCa+VdBnDXuHl6qZJP1fIuA0AZIMz/l7Xgmo4tWVbeZQB3Tb2XR0gizIH7AafZAQAwOMIcAACDI8wBADA4whwAAIMjzAEAMDjCHAAAg+OnaQDuGaz3gIqkLNd6IMwB3DNY7wEVSVmu9cBpdgAADI4wBwDA4AhzAAAMjjAHAMDgCHMAAAyOMAcAwOAIcwAADI4wBwDA4AhzAAAMjjAHAMDgCHMAAAyOMAcAwOAIcwAADI4wBwDA4AhzAAAMjjAHAMDgXBrmycnJ6tGjh7p27ar4+Pgbxt977z117NhRYWFhCgsLu+k2AADg1jxctWOLxaLY2FglJibK09NTERERat26terXr2/f5sCBA3rnnXfUrFkzV5UBAECF57KZeUZGhtq0aSNfX195e3srJCREqampDtscOHBAy5Ytk9ls1owZM3Tt2jVXlQMAQIXlsjDPzMyUn5+fve3v7y+LxWJv5+bmqnHjxoqKitInn3yiX3/9Ve+//76rygEAoMJyWZhbrVaZTCZ722azObSrVKmiuLg41atXTx4eHnrppZe0bds2V5UDAECF5bIwr127trKysuztrKws+fv729tnz57V+vXr7W2bzSYPD5d9hQ8AQIXlsjAPCgrSjh07dPHiReXl5SktLU3t2rWzjz/wwAP661//qp9//lk2m03x8fHq0qWLq8oBAKDCclmYBwQEaPz48RoyZIh69+6t0NBQBQYGKjIyUvv371fNmjU1Y8YMvfzyy+rWrZtsNptefPFFV5UDAECF5dLz2mazWWaz2aEvLi7O/jgkJEQhISGuLAEAgAqPFeAAADA4whwAAIMjzAEAMDjCHAAAgyPMAQAwOMIcAACDI8wBADA4whwAAIMjzAEAMDjCHAAAgyPMAQAwOMIcAACDI8wBADA4whwAAIMjzAEAMDjCHAAAgyPMAQAwOMIcAACDI8wBADA4whwAAIMjzAEAMDjCHAAAgyPMAQAwOMIcAACDI8wBADA4whwAAIMjzAEAMDjCHAAAgyPMAQAwOMIcAACDI8wBADA4whwAAIMjzAEAMDjCHAAAgyPMAQAwOMIcAACDI8wBADA4whwAAIMjzAEAMDjCHAAAgyPMAQAwOMIcAACDI8wBADA4whwAAIMjzAEAMDjCHAAAgyPMAQAwOJeGeXJysnr06KGuXbsqPj6+xO2++OILderUyZWlAABQYXm4ascWi0WxsbFKTEyUp6enIiIi1Lp1a9WvX99huwsXLugvf/mLq8oAAKDCc9nMPCMjQ23atJGvr6+8vb0VEhKi1NTUG7aLjo7W6NGjXVUGAAAVnsvCPDMzU35+fva2v7+/LBaLwzYfffSRHnvsMTVt2tRVZQAAUOG5LMytVqtMJpO9bbPZHNpHjhxRWlqaRo0a5aoSAAC4L7gszGvXrq2srCx7OysrS/7+/vZ2amqqsrKy1K9fPw0fPlyZmZkaNGiQq8oBAKDCclmYBwUFaceOHbp48aLy8vKUlpamdu3a2cfHjh2rTz/9VBs3btTy5cvl7++v1atXu6ocAAAqLJeFeUBAgMaPH68hQ4aod+/eCg0NVWBgoCIjI7V//35XvSwAAPcdl/00TZLMZrPMZrNDX1xc3A3b1alTR+np6a4sBQCACosV4AAAMDjCHAAAgyPMAQAwOMIcAACDI8wBADA4whwAAIMjzAEAMDjCHAAAgyPMAQAwOMIcAACDcxrmWVlZGj58uEJCQnThwgUNHTpUmZmZZVEbAAAoBadhPn36dAUHB8vLy0vVq1dXo0aNFB0dXRa1AQCAUnAa5mfOnNGAAQPk5uamSpUqKSoqSufOnSuL2gAAQCk4DXOTySSr1Wpv5+TkOLQBAED5cnoL1K5du+q1117TlStXtGbNGq1bt07du3cvi9oAAEApOA3zkSNHKikpSVarVRkZGRo4cKDCw8PLojYAAFAKTsN84sSJiomJUe/evcugHAAAcLucfmf+ww8/yGazlUUtAADgDjidmfv7+6tnz55q2rSpqlSpYu/n52kAANwbnIZ5s2bN1KxZs7KoBQAA3AGnYT569Gjl5ubq4MGDKioqUmBgoKpWrVoWtQEAgFJwGub79u3TqFGj9OCDD6q4uFgWi0VLly5V8+bNy6I+AADghNMw/8tf/qL58+erTZs2kqQdO3Zo3rx5SkhIcHlxAADAOadXs+fm5tqDXJLatm2rvLw8lxYFAABKr1TLuZ45c8bePn36tNzd3V1aFAAAKD2np9n//Oc/a+DAgWrbtq1MJpO++uorTZ06tSxqAwAApeA0zIODg1W3bl19/fXXslqtGjFihOrVq1cWtQEAgFJwepr90KFDmjdvngYNGqSWLVtqwoQJOn78eFnUBgAASsFpmE+bNs1+Y5WGDRtqzJgxnGYHAOAe4jTM8/Ly1KVLF3s7ODhYOTk5Li0KAACUXqmuZj906JC9fezYMbm5OX0aAAAoI04vgHvllVc0ePBgPfroo5Kk48ePa/78+S4vDAAAlI7TMO/YsaNSU1O1Z88eubu7q2nTpqpVq1ZZ1AYAAErhlufLf/31V+Xk5KhWrVpq0qSJTp48qWPHjpVVbQAAoBRKDPPdu3erc+fO+u6775Sdna0BAwboyy+/1PTp05WcnFyWNQIAgFsoMczfffddLVmyRE899ZRSUlLk7++vDz74QPHx8frggw/KskYAAHALJYZ5dna2nnzySUnSrl271LFjR0mSr6+vCgsLy6Y6AADgVIlhbjKZ7I/37NljD3ZJunr1qmurAgAApVbi1ey1a9fW1q1bdfXqVeXn56tFixaSpLS0NNWtW7fMCgQAALdWYpi//vrrGjt2rLKysjRt2jR5enrq7bffVkJCglauXFmWNQIAgFsoMczr1q2rlJQUh74+ffooMjJS1apVc3lhAACgdJwuGvOvOL0OAMC9h0XWAQAwOMIcAACDcxrmq1at4panAADcw5yG+eHDhxUSEqJJkyZp//79ZVETAAC4DU4vgJs1a5ZycnKUnJys6dOny2az6ZlnnpHZbJaXl1dZ1AgAAG6hVN+ZV61aVd26dVNoaKguX76s1atXq1u3bkpPT7/l85KTk9WjRw917dpV8fHxN4xv2bJFZrNZPXv21BtvvKGCgoI7OwoAAO5jTsN8x44dGjdunLp166bjx49r8eLFSkxM1MqVKzVlypQSn2exWBQbG6vVq1crKSlJa9eu1dGjR+3jV69e1YwZM/TBBx9o06ZNunbtmj755JO7c1QAANxHnIb59OnT1bx5c3322WeaMWOGGjVqJEn6/e9/rwEDBpT4vIyMDLVp00a+vr7y9vZWSEiIUlNT7ePe3t5KT0/Xgw8+qLy8PP3yyy8sRgMAwB1wGuaDBw/WkCFD5OPjY+9bvny5JGns2LElPi8zM1N+fn72tr+/vywWi8M2lSpV0rZt29ShQwddunRJTz/99G0fAAAA97sSL4D7+OOPlZ+frw8//NDhu+zCwkKtWbNGw4cPv+WOrVarw53XbDabQ/s37du3186dO/XOO+9o2rRpevvtt+/kOAAAuG+VODP38PDQkSNHlJ+fryNHjtj/nTp1Sm+88YbTHdeuXVtZWVn2dlZWlvz9/e3ty5cv66uvvrK3zWazDh8+fKfHAQDAfavEmXl4eLjCw8P12WefKTg4+LZ3HBQUpEWLFunixYuqXLmy0tLSNHPmTPu4zWZTVFSUNmzYoN/97ndKTU1V8+bN7+woAAC4j5UY5nFxcYqMjNSOHTv09ddf3zAeHR19yx0HBARo/PjxGjJkiAoLC9W/f38FBgYqMjJSY8eO1RNPPKGZM2dqxIgRMplMql+/vqZPn/7/PyIAAO4zJYb5bxe81ahR4453bjabZTabHfri4uLsj4ODg+9o1g8AAP5PiWEeEREhSXrwwQcVGhqqqlWrlllRAACg9Jz+NG3nzp0KDg7WW2+9pb1795ZFTQAA4DY4XZs9NjZW2dnZSklJ0ezZs5Wfn6/w8HA9//zzZVEfAABwolRrs1evXl0DBw7UiBEj5O3t7fC9NwAAKF9OZ+bff/+9NmzYoNTUVD322GMaNmyYOnXqVBa1AQCAUnAa5qNGjVK/fv20bt06/e53vyuLmgAAwG1wGuaff/75TZdhBQAA94YSw/yZZ57Rxx9/rObNm990jfU9e/aUSYEAAODWSgzzBQsWSJJSUlJuGLPZbK6rCAAA3JYSr2b/7aYoU6dO1cMPP+zwb8KECWVWIAAAuLUSZ+Zjx47ViRMn9PPPPzssyVpUVCRPT88yKQ4AADhXYphPnDhRZ86c0eTJkzV58mR7v7u7u+rXr18mxQEAAOdKPM1ep04dtW7dWikpKTp//rxatWqlRx55RPv377ffhAUAAJQ/pyvAzZw5U1988cX1jd3ctHv3bs2ZM8fVdQEAgFJy+jvzvXv32q9or1WrlhYsWKCwsDCXFwYAAErH6cy8sLBQBQUF9nZRUZFLCwIAALfH6cy8Q4cOGjp0qMLCwmQymZSSkqL27duXRW0AAKAUnIb5xIkTFR8fr61bt8rDw0NdunRRREREWdQGAABKwWmYu7u7a8CAAWrdurUaNGiga9euyc2tVHdOBQAAZcBpKn/77bcKDg7WiBEjlJmZqQ4dOrAuOwAA9xCnYR4TE6MPP/xQvr6+ql27tmJiYjR79uyyqA0AAJSC0zDPz893WPGtffv2Ki4udmlRAACg9JyGuYeHh7Kzs+23QT1+/LjLiwIAAKXn9AK4kSNH6rnnntOFCxc0YcIEbd++XTNmzCiL2gAAQCk4DfNOnTqpXr162r59u6xWq/785z+rXr16ZVEbAAAohRLD/NixY6pXr54OHjwoSWratKmk69+hHzx4UJUrV1bdunXLpkoAAFCiEsM8JiZGy5Yt05gxY246npubqyeeeEJ/+9vfXFYcAABwrsQwX7ZsmSQpPT39puM2m00dOnRwSVEAAKD0nH5nfvXqVS1ZskTbt29XpUqV1K5dO0VGRsrT01Pr1q0rixoBAMAtOP1p2vTp03X+/HlFRUXplVde0Y8//qhZs2ZJkvz9/V1eIAAAuDWnM/Pvv/9eycnJ9nbr1q25nzkAAPcQpzPz6tWr6/Lly/b21atX5ePj48qaAADAbShxZv7bqXQPDw/17dtXXbt2lZubm9LT0x2WdwUAAOWrxDD39fWVJD355JN68skn7f2hoaEuLwoAAJReiWE+evTosqwDAADcIacXwJnN5pv2/+tFcQAAoPw4DfPJkyfbHxcWFmrTpk36j//4D5cWBQAASs9pmLdq1cqhHRQUpIiICL388ssuKwoAAJSe05+m/btLly4pMzPTFbUAAIA7cNvfmZ89e1YDBw50WUEAAOD23NZ35iaTSTVr1uR+5gAA3ENuGeY2m03NmzeXh4eHcnJylJGRIT8/v7KqDQAAlEKJ35kfPXpUnTt31n//938rPz9f4eHhio2N1eDBg7V9+/ayrBEAANxCiWEeExOjcePGqWPHjtq0aZNsNps2bdqkhIQELVq0qCxrBAAAt1BimJ87d069evWSJO3cuVPBwcFyc3PTQw89pJycnDIrEAAA3FqJYe7m9n9De/fuVcuWLe3ta9euubYqAABQaiVeAFe9enUdOnRIOTk5ysrKsof5nj17FBAQUGYFAgCAWysxzCdMmKAXXnhBOTk5eu211+Tt7a0VK1Zo6dKlWrx4cal2npycrCVLlqioqEjPP/+8nn32WYfxzz77TIsWLZLNZlOdOnU0d+5cVa9e/f93RAAA3GdKDPM//vGP+vLLL5Wfn69q1apJkpo1a6Z169bpD3/4g9MdWywWxcbGKjExUZ6enoqIiFDr1q3t90LPycnRtGnTtGHDBgUEBGjBggVatGiRoqOj786RAQBwn7jlcq6enp72IJek5s2blyrIJSkjI0Nt2rSRr6+vvL29FRISotTUVPt4YWGhpk6daj9l37BhQ507d+4ODgEAgPvbba/NXlqZmZkOC8z4+/vLYrHY2zVq1FCXLl0kSfn5+Vq+fLmCg4NdVQ4AABWWy8LcarXKZDLZ2zabzaH9mytXrmj48OFq1KiR+vTp46pyAACosFwW5rVr11ZWVpa9nZWVJX9/f4dtMjMzNWjQIDVs2FCzZ892VSkAAFRoLgvzoKAg7dixQxcvXlReXp7S0tLUrl07+3hxcbFGjhyp7t27a9KkSTedtQMAAOec3jXtTgUEBGj8+PEaMmSICgsL1b9/fwUGBioyMlJjx47V+fPn9f3336u4uFiffvqpJOnxxx9nhg4AwG1yWZhL1++F/u/3Q4+Li5MkPfHEEzp06JArXx4AgPuCy06zAwCAskGYAwBgcIQ5AAAGR5gDAGBwhDkAAAZHmAMAYHCEOQAABkeYAwBgcIQ5AAAGR5gDAGBwhDkAAAZHmAMAYHCEOQAABkeYAwBgcIQ5AAAGR5gDAGBwhDkAAAZHmAMAYHCEOQAABkeYAwBgcIQ5AAAGR5gDAGBwhDkAAAZHmAMAYHCEOQAABkeYAwBgcIQ5AAAGR5gDAGBwhDkAAAZHmAMAYHCEOQAABkeYAwBgcIQ5AAAGR5gDAGBwhDkAAAZHmAMAYHCEOQAABkeYAwBgcIQ5AAAGR5gDAGBwhDkAAAZHmAMAYHCEOQAABkeYAwBgcIQ5AAAGR5gDAGBwhDkAAAbn0jBPTk5Wjx491LVrV8XHx5e43cSJE5WYmOjKUgAAqLBcFuYWi0WxsbFavXq1kpKStHbtWh09evSGbUaOHKlPP/3UVWUAAFDhuSzMMzIy1KZNG/n6+srb21shISFKTU112CY5OVmdO3dW9+7dXVUGAAAVnoerdpyZmSk/Pz9729/fX/v27XPYZtiwYZKk3bt3u6oMAAAqPJfNzK1Wq0wmk71ts9kc2gAA4O5wWZjXrl1bWVlZ9nZWVpb8/f1d9XIAANy3XBbmQUFB2rFjhy5evKi8vDylpaWpXbt2rno5AADuWy4L84CAAI0fP15DhgxR7969FRoaqsDAQEVGRmr//v2uelkAAO47LrsATpLMZrPMZrNDX1xc3A3bzZs3z5VlAABQobECHAAABkeYAwBgcIQ5AAAGR5gDAGBwhDkAAAZHmAMAYHCEOQAABkeYAwBgcIQ5AAAGR5gDAGBwhDkAAAZHmAMAYHCEOQAABkeYAwBgcIQ5AAAGR5gDAGBwhDkAAAZHmAMAYHCEOQAABkeYAwBgcIQ5AAAGR5gDAGBwhDkAAAZHmAMAYHCEOQAABkeYAwBgcIQ5AAAGR5gDAGBwhDkAAAZHmAMAYHCEOQAABkeYAwBgcIQ5AAAGR5gDAGBwhDkAAAZHmAMAYHCEOQAABkeYAwBgcIQ5AAAGR5gDAGBwhDkAAAZHmAMAYHCEOQAABkeYAwBgcIQ5AAAGR5gDAGBwhDkAAAbn0jBPTk5Wjx491LVrV8XHx98w/sMPP6hv374KCQnRpEmTVFRU5MpyAACokFwW5haLRbGxsVq9erWSkpK0du1aHT161GGbqKgoTZkyRZ9++qlsNpsSEhJcVQ4AABWWy8I8IyNDbdq0ka+vr7y9vRUSEqLU1FT7+JkzZ5Sfn68//vGPkqS+ffs6jAMAgNLxcNWOMzMz5efnZ2/7+/tr3759JY77+fnJYrGUat82m02SVFBQcJeqlQoKC2Wt/MBd2x9Q3goKC6Vr18q7jNvC+xAVyd1+D/6Web9l4L9yWZhbrVaZTCZ722azObSdjd9KYWGhJOnIkSN3qdr/1aH93d0fUI6OnDkjnTlT3mXcPt6HqCBc9R4sLCzUAw84fuh1WZjXrl1b33zzjb2dlZUlf39/h/GsrCx7+8KFCw7jt1KlShU9+uijqlSpUqk/AAAAYGQ2m02FhYWqUqXKDWMuC/OgoCAtWrRIFy9eVOXKlZWWlqaZM2faxx9++GF5eXlp9+7datGihTZu3Kh27dqVat9ubm7y8fFxVekAANyT/n1G/huT7WYn3++S5ORkLVu2TIWFherfv78iIyMVGRmpsWPH6oknntChQ4cUHR2tnJwcNWnSRHPnzpWnp6erygEAoEJyaZgDAADXYwU4AAAMjjAHAMDgCHMAAAyOMAcAwOAIcwAADI4wR5lasGCBtm7dKkkaPHiwvT8sLKy8SgLuewkJCUpJSZHk+B6FcfDTNJSbhg0b6vDhw+VdBnDfe+ONN9SqVSv17du3vEvBHXLZCnCoeHbu3Kn3339fHh4eOn36tAIDAzV79mwlJyfrgw8+kMlkUpMmTTR58mR5enrqrbfe0o8//ihJGjRokAYMGGD/j8b3338vSQoPD9e6devUsGFDHTx4UB06dFBSUpIefPBBXb58WaGhofr888+1Y8cOLVy4UEVFRapTp45mzpypGjVqlOefAygzO3fu1LJly/TAAw/o2LFjatiwoebPn6/Nmzdr5cqVslqtatKkiaZOnSovLy9t3rxZCxculLe3txo3bqzi4mLNmzdP//jHP/TBBx8oPz9fBQUFmjNnjvLz85Wenq6vv/5afn5+2rRpk1q1aqXDhw8rICBAL730kiRpzJgx6tWrl5o1a6YpU6bo/PnzMplMevXVVxUUFFTOfyFwmh23Ze/evZo0aZJSU1N17do1LV++XEuXLtWqVauUnJysypUr67333tPevXuVnZ2tpKQkLVu2zGGdfkmKjo6WJK1bt87e5+HhoW7dutlvhZuWlqYuXbroypUrevvtt7VixQolJSXp6aef1vz588vuoIF7wN69ezVlyhT94x//0NmzZ/Xxxx8rISFBa9as0caNG1WrVi2tWLFCFy9e1Jw5c7Ry5UqtX79e2dnZkq7f3GrNmjVaunSp/v73v2vYsGFavny5goKC1KlTJ40dO1Z/+tOf7K8XFhZmP/Wek5OjvXv3qn379po9e7b69eunxMRELVmyRFOmTFFOTk65/E3wf5iZ47a0bNlSdevWlXT9zT5mzBg999xz9lnywIED9eabb2r48OE6ceKEhg4dqnbt2mnixIml2n+vXr00d+5cPffcc0pJSdH48eP13Xff6dy5cxoyZIik6/9Rql69umsOELhHNWjQQLVr15Yk1atXT1euXNHJkyc1YMAASdfvpPXYY4/pm2++UbNmzRQQECBJ6t27tz777DO5ublp8eLFSk9P14kTJ/TPf/5Tbm4lz+cee+wxFRQU6OTJk9q7d686deokT09PZWRk6Pjx41q4cKEkqaioSD///LMaN27s4r8AboUwx21xd3e3P7bZbLJarQ7jNptNRUVFqlGjhjZt2qTt27dr27Zt6tOnjzZt2uR0/4GBgcrOzta+fftksVjUrFkzffbZZ2revLmWLl0qSbp27Zpyc3Pv7oEB9zgvLy/7Y5PJJB8fH3Xv3t1+lis3N1fFxcX65z//ecP78rfx/v37q1evXmrZsqUaNmyo+Pj4W75mr169tHnzZu3du1fDhw+XdP3D9MqVK+Xr6ytJyszMVK1ate7SUeJOcZodt2X37t2yWCyyWq1KSkrSm2++qfT0dF2+fFnS9atiW7dura1btyoqKkodOnRQdHS0vL29de7cOYd9ubu7q6io6IbXMJvNmjp1qnr27ClJatq0qb799ludOHFCkvT+++8rJibGtQcKGMCWLVv0yy+/yGazadq0aVq5cqWaN2+u/fv3KzMzUzabTZs3b5bJZNJPP/0kk8mkkSNHqnXr1tqyZYuKi4slXX8v/vb4X5nNZm3evFknT55UixYtJElt2rTR6tWrJUlHjx6V2WxWXl5e2R00boqZOW6Lv7+/Jk6cKIvFoqeeekrPPfecvL29NXjwYBUWFqpJkyaaPn26vLy8lJaWpp49e8rLy0u9evVSw4YNHfbVuXNnhYWFKTEx0aG/V69eWrBggWJjYyVJfn5+mjNnjsaNGyer1aqAgAD99a9/LbNjBu5FPj4+Gj16tJ5//nlZrVY1btxYw4cPl5eXl6Kjo/XSSy/J09NTderUUbVq1dSoUSM1btxY3bt3l8lk0tNPP63du3dLun7L6nfeeeeGW0s/9NBDqlGjhpo1ayaTySTp+vUuU6ZMkdlsliTFxMSoatWqZXvwuAE/TUOp7dy5U++9955WrVpV3qUAKMGlS5e0atUqjR49Wm5ubpo1a5b+8z//02FdB1Q8zMwBoALx9fXVr7/+qtDQULm7u6tJkyb2i+RQcTEzBwDA4LgADgAAgyPMAQAwOMIcAACD4wI44D5WXFysjz76SMnJySouLlZhYaE6duyoV155RVOmTFGDBg00dOjQ8i4TgBOEOXAfmzZtmrKzs7Vy5Ur5+Pjo6tWreu211zRp0iSH1f4A3NsIc+A+dfr0aSUnJ+urr76yL/rh7e2t6dOna8+ePfr888/t265fv15r165VYWGhsrOzFRkZqUGDBikrK0uvv/66Ll26JElq3769xo0bV2I/ANfgO3PgPnXw4EHVr1//htW7/Pz8FBISYm/n5uZq3bp1Wr58uZKSkhQbG2tfgS8hIUF16tTRJ598ovj4eJ08eVJXrlwpsR+AazAzB+5Tbm5uN70hx7+rUqWKli5dqm3btumnn37SoUOHdPXqVUnSn/70Jw0fPlznzp1TUFCQXn31Vfn4+JTYD8A1mJkD96nAwEAdP378hntRWywWDR8+XPn5+ZKk8+fPq3fv3jpz5oxatGjhcLo8MDBQW7du1cCBA3XmzBmFh4frwIEDJfYDcA1m5sB9KiAgQGazWW+99ZbmzJmjqlWrKicnR9OmTZOvr6/9XtcHDhxQzZo1NWrUKEmy34q2uLhYsbGxstlsioqKUufOnXX48GH9+OOPSk1NvWn/448/Xm7HC1RkLOcK3MeKior0/vvvKy0tTe7u7iooKFBwcLDGjBlj/2naoEGDNH78eJ04cUImk0mtWrXSli1bFB8fLx8fH73xxhuyWCzy9PRUw4YNNX36dGVnZ9+039PTs7wPGaiQCHMAAAyO78wBADA4whwAAIMjzAEAMDjCHAAAgyPMAQAwOMIcAACDI8wBADA4whwAAIP7H1Cwp7v1ojr6AAAAAElFTkSuQmCC\n", + "text/plain": [ + "
" + ] + }, + "metadata": {}, + "output_type": "display_data" + }, + { + "name": "stdout", + "output_type": "stream", + "text": [ + "Class positive Sentence Length Analysis:\n", + "Average Sentence Length: 152.07 words\n", + "Longest Sentence Length: 1003 words\n", + "Shortest Sentence Length: 12 words\n", + "Class negative Sentence Length Analysis:\n", + "Average Sentence Length: 127.92 words\n", + "Longest Sentence Length: 915 words\n", + "Shortest Sentence Length: 10 words\n" + ] + } + ], + "source": [ + "import pandas as pd\n", + "import matplotlib.pyplot as plt\n", + "import seaborn as sns\n", + "import spacy\n", + "from textblob import TextBlob\n", + "import numpy as np\n", + "\n", + "# Load SpaCy English model\n", + "nlp = spacy.load(\"en_core_web_sm\")\n", + "\n", + "# Visual settings\n", + "sns.set(style=\"whitegrid\")\n", + "\n", + "# Define sentiment-specific words from the paper at https://aclanthology.org/P11-1015/\n", + "positive_words = [\n", + " 'melancholy', 'bittersweet', 'thoughtful', 'poetic', 'heartbreaking', 'warmth', 'lyrical', \n", + " 'happiness', 'layer', 'poetry', 'tenderness', 'gentle', 'profound', 'compassionate', \n", + " 'loneliness', 'vivid', 'romantic', 'romance', 'love', 'charming', 'screwball', 'sweet', \n", + " 'delightful', 'grant', 'beautiful', 'comedies', 'relationship', 'chemistry', 'comedy'\n", + "]\n", + "\n", + "negative_words = [\n", + " 'ghastly', 'embarrassingly', 'predators', 'hideous', 'trite', 'inept', 'laughably', 'tube', \n", + " 'severely', 'atrocious', 'baffled', 'grotesque', 'appalling', 'smack', 'unsuspecting', \n", + " 'lackluster', 'lame', 'passable', 'uninspired', 'laughable', 'unconvincing', 'flat', \n", + " 'unimaginative', 'amateurish', 'bland', 'clichéd', 'forgettable', 'awful', 'insipid', 'mediocre'\n", + "]\n", + "\n", + "def plot_distribution(title, data, xlabel, ylabel):\n", + " \"\"\"Helper function to create a Seaborn bar plot\"\"\"\n", + " plt.figure(figsize=(10, 6))\n", + " sns.barplot(x=list(data.keys()), y=list(data.values()))\n", + " plt.title(title)\n", + " plt.xlabel(xlabel)\n", + " plt.ylabel(ylabel)\n", + " plt.xticks(rotation=45)\n", + " plt.show()\n", + "\n", + "# 1. plot positive and negative word count for each class using SpaCy\n", + "def analyze_positive_negative_word_count(reviews):\n", + " \"\"\"Count occurrences of predefined positive and negative words in reviews\"\"\"\n", + " \n", + " # Convert the word lists to sets for efficient lookups\n", + " positive_word_set = set(positive_words)\n", + " negative_word_set = set(negative_words)\n", + " \n", + " positive_count, negative_count = 0, 0\n", + " \n", + " for review in reviews:\n", + " # Tokenize the review using SpaCy\n", + " doc = nlp(review.lower())\n", + " \n", + " # Filter tokens to keep only words (exclude punctuation, spaces, etc.)\n", + " tokens = [token.text for token in doc if token.is_alpha]\n", + " \n", + " # Count positive and negative words\n", + " positive_count += sum(1 for word in tokens if word in positive_word_set)\n", + " negative_count += sum(1 for word in tokens if word in negative_word_set)\n", + " \n", + " return positive_count, negative_count\n", + "\n", + "# 2. Polarity and Subjectivity (Using TextBlob)\n", + "def analyze_polarity_subjectivity(texts):\n", + " polarity, subjectivity = [], []\n", + " for text in texts:\n", + " blob = TextBlob(text)\n", + " polarity.append(blob.sentiment.polarity)\n", + " subjectivity.append(blob.sentiment.subjectivity)\n", + " return np.mean(polarity), np.mean(subjectivity)\n", + "\n", + "# Separate plots for polarity and subjectivity\n", + "def plot_polarity_subjectivity(df, class_column='label', text_column='review'):\n", + " polarity_subjectivity = df.groupby(class_column)[text_column].apply(lambda texts: analyze_polarity_subjectivity(texts))\n", + " polarity = [p[0] for p in polarity_subjectivity]\n", + " subjectivity = [p[1] for p in polarity_subjectivity]\n", + " \n", + " classes = df[class_column].unique()\n", + " \n", + " # Polarity Plot\n", + " plt.figure(figsize=(8, 6))\n", + " plt.bar(classes, polarity, alpha=0.7, color='b', label='Polarity')\n", + " plt.title('Polarity per Class')\n", + " plt.xlabel('Class')\n", + " plt.ylabel('Polarity Score')\n", + " plt.xticks(classes)\n", + " plt.grid(False) # Remove horizontal grid\n", + " plt.show()\n", + "\n", + " # Subjectivity Plot\n", + " plt.figure(figsize=(8, 6))\n", + " plt.bar(classes, subjectivity, alpha=0.7, color='r', label='Subjectivity')\n", + " plt.title('Subjectivity per Class')\n", + " plt.xlabel('Class')\n", + " plt.ylabel('Subjectivity Score')\n", + " plt.xticks(classes)\n", + " plt.grid(False) # Remove horizontal grid\n", + " plt.show()\n", + "\n", + "# 3. Sentence Length Analysis\n", + "def analyze_sentence_lengths(reviews):\n", + " \"\"\"Calculate average, longest, and shortest sentence length based on whitespace tokenization.\"\"\"\n", + " sentence_lengths = [len(review.split()) for review in reviews]\n", + " \n", + " average_length = np.mean(sentence_lengths)\n", + " longest_sentence = max(sentence_lengths)\n", + " shortest_sentence = min(sentence_lengths)\n", + " \n", + " print(f\"Average Sentence Length: {average_length:.2f} words\")\n", + " print(f\"Longest Sentence Length: {longest_sentence} words\")\n", + " print(f\"Shortest Sentence Length: {shortest_sentence} words\")\n", + " \n", + "# Analyzing the dataset\n", + "def analyze_dataset(df):\n", + " # Separate classes\n", + " class_0_reviews = df[df['label'] == 'positive']['review'].tolist()\n", + " class_1_reviews = df[df['label'] == 'negative']['review'].tolist()\n", + "\n", + " # 2. Positive and Negative Word Count\n", + " class_0_positive_count, class_0_negative_count = analyze_positive_negative_word_count(class_0_reviews)\n", + " class_1_positive_count, class_1_negative_count = analyze_positive_negative_word_count(class_1_reviews)\n", + "\n", + " # Visualization of positive and negative word counts\n", + " plot_distribution(\n", + " \"Positive/Negative Word Counts: Positive Class\", \n", + " {'Positive': class_0_positive_count, 'Negative': class_0_negative_count}, \n", + " \"Sentiment\", \"Word Count\"\n", + " )\n", + " plot_distribution(\n", + " \"Positive/Negative Word Counts: Negative Class\", \n", + " {'Positive': class_1_positive_count, 'Negative': class_1_negative_count}, \n", + " \"Sentiment\", \"Word Count\"\n", + " )\n", + " \n", + " # Polarity and Subjectivity\n", + " plot_polarity_subjectivity(df)\n", + "\n", + " # Sentence Length Analysis\n", + " print(\"Class positive Sentence Length Analysis:\")\n", + " analyze_sentence_lengths(class_0_reviews)\n", + " \n", + " print(\"Class negative Sentence Length Analysis:\")\n", + " analyze_sentence_lengths(class_1_reviews)\n", + "\n", + "\n", + "analyze_dataset(sampled_dataset)\n" + ] + }, + { + "cell_type": "markdown", + "id": "d4a81b46", + "metadata": {}, + "source": [ + "## Interpretation:\n", + "\n", + "1. As can be seen from the visualizations,there is a mixed presence of positive words in the negative class which hints at polarity ambiguity. This could potentially bias the model to predict more 'positive' labels instead of 'negative' labels for the negative class. The poliarity ambiguity between classes can also be observed in sensitivity plot in favor of the positive class.\n", + "\n", + "2. The presence of very long sentences in both classes suggests that reviews might contain extensive descriptions, possibly providing nuanced opinions or storytelling elements. The shorter sentences could indicate succinct expressions of sentiment, particularly in negative reviews, where a clear negative statement might be communicated quickly. However, there is no significant difference between sentence length in both classes." + ] + }, + { + "cell_type": "markdown", + "id": "ac3daa4d", + "metadata": {}, + "source": [ + "## Langchain Recusrive Chunking\n", + "\n", + "The model has a context window of 512 tokens, which is insufficient to input all the data at once, given the length of the sentences in our dataset. To address this, we will employ the 'recursive chunking' technique from Langchain. This method involves breaking the text into chunks with overlapping words, ensuring that surrounding context is included in each review input. While this approach may introduce some redundancy, it will enhance label predictions for the movie reviews." + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "0b646a82", + "metadata": {}, + "outputs": [], + "source": [ + "from langchain_text_splitters import RecursiveCharacterTextSplitter\n", + "import pandas as pd\n", + "\n", + "# Create the text splitter\n", + "text_splitter = RecursiveCharacterTextSplitter(\n", + " chunk_size=250,\n", + " chunk_overlap=20,\n", + " length_function=len,\n", + " is_separator_regex=False,\n", + ")\n", + "\n", + "# Function to split reviews using LangChain's text splitter\n", + "def split_reviews_with_langchain(reviews):\n", + " split_reviews = []\n", + " for index, row in reviews.iterrows():\n", + " review = row['review']\n", + " label = row['label']\n", + "\n", + " # Create chunks using LangChain's text splitter\n", + " chunks = text_splitter.create_documents([review])\n", + "\n", + " # Append each chunk along with the original label to the list\n", + " for chunk in chunks:\n", + " split_reviews.append({'label': label, 'review': chunk.page_content, 'original_index': index})\n", + "\n", + " return pd.DataFrame(split_reviews)\n", + "\n", + "df_split = split_reviews_with_langchain(random_sample_df)" + ] + }, + { + "cell_type": "markdown", + "id": "1c6fcd80", + "metadata": {}, + "source": [ + "## Model Prediction Postprocessing\n", + "\n", + "The models may not always adhere to the output format specified in the prompt. The code below will take care of post-processing the labels predicted by the model." + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "8ecbeca5", + "metadata": {}, + "outputs": [], + "source": [ + "import re\n", + "\n", + "# Function to clean the labels after model prediction\n", + "def clean_label(label):\n", + " # Convert to lowercase and strip whitespace\n", + " label = str(label).strip().lower()\n", + " \n", + " # Remove any unwanted characters (punctuation, <, >)\n", + " label = re.sub(r'[<>!\"#$%&\\'()*+,-./:;<=>?@[\\\\]^_`{|}~]', '', label)\n", + " \n", + " # Map to 'positive' or 'negative', or return None for invalid\n", + " if label in ['positive', 'positive.']:\n", + " return 'positive'\n", + " elif label in ['negative', 'negative.']:\n", + " return 'negative'\n", + " else:\n", + " return None # or 'unknown' to include it" + ] + }, + { + "cell_type": "markdown", + "id": "954ff4ad", + "metadata": {}, + "source": [ + "# Models\n", + "\n", + "Next, we will load the models for analysis." + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "84a9e48d", + "metadata": {}, + "outputs": [], + "source": [ + "# See the parameters for different backends (CUDA, Vulkan, CPU) here:\n", + "# https://github.com/abetlen/llama-cpp-python?tab=readme-ov-file#supported-backends\n", + "!CMAKE_ARGS=\"-DGGML_BLAS=ON -DGGML_BLAS_VENDOR=OpenBLAS\" pip install llama-cpp-python --no-cache-dir" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "f33eab16", + "metadata": {}, + "outputs": [], + "source": [ + "# Qwen 2.5, 0.5 Billion parameter model\n", + "\n", + "from llama_cpp import Llama\n", + "\n", + "llm_qwen_0_5 = Llama.from_pretrained(\n", + " repo_id=\"bartowski/Qwen2.5-0.5B-Instruct-GGUF\",\n", + " # See the all quantization levels here:\n", + " # https://huggingface.co/bartowski/Qwen2.5-0.5B-Instruct-GGUF/\n", + " # It's better to start with *Q5_K_M, and if the results are too poor, continue with Q6_K or Q8_0.\n", + " filename=\"*Q5_K_M.gguf\",\n", + " verbose=False\n", + ")" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "46234630", + "metadata": {}, + "outputs": [], + "source": [ + "# Qwen 2.5, 1.5 Billion parameter model\n", + "\n", + "llm_qwen_1_5 = Llama.from_pretrained(\n", + " repo_id=\"bartowski/Qwen2.5-1.5B-Instruct-GGUF\",\n", + " # See the all quantization levels here:\n", + " # https://huggingface.co/bartowski/Qwen2.5-0.5B-Instruct-GGUF/\n", + " # It's better to start with *Q5_K_M, and if the results are too poor, continue with Q6_K or Q8_0.\n", + " filename=\"*Q5_K_M.gguf\",\n", + " verbose=False\n", + ")" + ] + }, + { + "cell_type": "markdown", + "id": "3dcb2000", + "metadata": {}, + "source": [ + "## Classification Report Code" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "e587ba38", + "metadata": {}, + "outputs": [], + "source": [ + "from sklearn.metrics import classification_report, accuracy_score\n", + "\n", + "def generate_classification_metrics(df, label_col, prediction_prefix='predicted_output_temp_', num_temperatures=3, num_runs=3):\n", + " # Initialize a list to store metrics for each predicted output\n", + " metrics_summary = []\n", + "\n", + " # Loop through each temperature and run case\n", + " for temp in range(num_temperatures): # Temperature cases\n", + " for run in range(1, num_runs + 1): # Run cases\n", + " col_name_pattern = f'{prediction_prefix}{temp}_run_{run}'\n", + " \n", + " # Find the actual column that contains this pattern\n", + " matching_columns = [col for col in df.columns if col.startswith(col_name_pattern)]\n", + "\n", + " if len(matching_columns) == 0:\n", + " print(f\"No column found for pattern: {col_name_pattern}\")\n", + " continue # Skip if no matching column found\n", + " \n", + " # Assume only one column matches (if there are multiple, you may need to handle it differently)\n", + " col_name = matching_columns[0]\n", + "\n", + " # Remove rows where the predicted value is neither 'positive' nor 'negative'\n", + " df_filtered = df[df[col_name].isin(['positive', 'negative'])]\n", + "\n", + " # Calculate classification report\n", + " report = classification_report(df[label_col], df[col_name],\n", + " target_names=['negative', 'positive'],\n", + " output_dict=True)\n", + " report_df = pd.DataFrame(report).T.drop(columns='support')\n", + "\n", + " # Calculate accuracy\n", + " accuracy = accuracy_score(df[label_col], df[col_name])\n", + "\n", + " # Store the metrics for this run\n", + " metrics_summary.append({\n", + " 'Temperature': temp,\n", + " 'Run': run,\n", + " 'Precision (Negative)': report['negative']['precision'],\n", + " 'Recall (Negative)': report['negative']['recall'],\n", + " 'F1 (Negative)': report['negative']['f1-score'],\n", + " 'Precision (Positive)': report['positive']['precision'],\n", + " 'Recall (Positive)': report['positive']['recall'],\n", + " 'F1 (Positive)': report['positive']['f1-score'],\n", + " 'Accuracy': accuracy\n", + " })\n", + "\n", + " # Display the classification report and accuracy for this run\n", + " print(f\"Temperature {temp}, Run {run}:\")\n", + " print(f\" Classification Report for Qwen 2.5 - 0.5 B:\")\n", + " print(report_df)\n", + " print(f\" Accuracy: {accuracy:.4f}\")\n", + " print(\"-\" * 30)\n", + "\n", + " # Create a DataFrame to summarize all metrics\n", + " metrics_df = pd.DataFrame(metrics_summary)\n", + "\n", + " # Calculate and report the average metrics for each temperature across the runs\n", + " for temp in range(num_temperatures):\n", + " temp_metrics = metrics_df[metrics_df['Temperature'] == temp]\n", + "\n", + " avg_metrics = {\n", + " 'Temperature': temp,\n", + " 'Precision (Negative)': temp_metrics['Precision (Negative)'].mean(),\n", + " 'Recall (Negative)': temp_metrics['Recall (Negative)'].mean(),\n", + " 'F1 (Negative)': temp_metrics['F1 (Negative)'].mean(),\n", + " 'Precision (Positive)': temp_metrics['Precision (Positive)'].mean(),\n", + " 'Recall (Positive)': temp_metrics['Recall (Positive)'].mean(),\n", + " 'F1 (Positive)': temp_metrics['F1 (Positive)'].mean(),\n", + " 'Average Accuracy': temp_metrics['Accuracy'].mean()\n", + " }\n", + "\n", + " # Display the average metrics for the temperature across the runs\n", + " print(f\"Average metrics for Temperature {temp}:\")\n", + " print(f\" Precision (Negative): {avg_metrics['Precision (Negative)']:.4f}\")\n", + " print(f\" Recall (Negative): {avg_metrics['Recall (Negative)']:.4f}\")\n", + " print(f\" F1 (Negative): {avg_metrics['F1 (Negative)']:.4f}\")\n", + " print(f\" Precision (Positive): {avg_metrics['Precision (Positive)']:.4f}\")\n", + " print(f\" Recall (Positive): {avg_metrics['Recall (Positive)']:.4f}\")\n", + " print(f\" F1 (Positive): {avg_metrics['F1 (Positive)']:.4f}\")\n", + " print(f\" Average Accuracy: {avg_metrics['Average Accuracy']:.4f}\")\n", + " print(\"=\" * 50)\n", + "\n", + " return metrics_df\n" + ] + }, + { + "cell_type": "markdown", + "id": "e2d3c5de", + "metadata": {}, + "source": [ + "## Analysis with Majority Voting\n", + "\n", + "Since we created chunks of the original 'review' column, it is possible that the part of the review is positive but the overall sentiment is negative and vice versa. To account for that, we aggregate the results and perform a majority vote to compare against the true labels in the dataset." + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "319cd832", + "metadata": {}, + "outputs": [], + "source": [ + "from collections import Counter\n", + "\n", + "def majority_vote_predictions(df, original_index_col, label_col, prediction_prefix='predicted_output_temp_', num_temperatures=3, num_runs=3):\n", + "\n", + " # Group by 'original_index' to gather all predictions per original review\n", + " def majority_vote_group(group):\n", + " # Dynamically find all columns that start with the prediction prefix, temperature, and run\n", + " prediction_columns = [col for col in df.columns if any(\n", + " f'{prediction_prefix}{temp}_run_{run}' in col for temp in range(num_temperatures) for run in range(1, num_runs + 1)\n", + " )]\n", + "\n", + " # Collect all predictions across the specified columns\n", + " predictions = group[prediction_columns].values.flatten()\n", + "\n", + " # Filter out any predictions that are not 'positive' or 'negative'\n", + " valid_predictions = [pred for pred in predictions if pred in ['positive', 'negative']]\n", + "\n", + " # Apply majority voting across the valid predictions\n", + " if valid_predictions:\n", + " return Counter(valid_predictions).most_common(1)[0][0]\n", + " else:\n", + " return None # Return None if no valid predictions remain\n", + "\n", + " # Apply majority voting for each group of rows with the same 'original_index'\n", + " majority_vote_results = df.groupby(original_index_col).apply(majority_vote_group).reset_index()\n", + " majority_vote_results.columns = [original_index_col, 'majority_vote']\n", + "\n", + " # Remove rows where majority vote result is None\n", + " majority_vote_results = majority_vote_results[majority_vote_results['majority_vote'].notnull()]\n", + "\n", + " # Merge the majority vote results back with the original labels\n", + " df_final = df[[original_index_col, label_col]].drop_duplicates().merge(majority_vote_results, on=original_index_col)\n", + "\n", + " # Calculate classification report for majority-vote predictions\n", + " report = classification_report(df_final[label_col], df_final['majority_vote'], target_names=['negative', 'positive'], output_dict=True)\n", + " report_df = pd.DataFrame(report).T.drop(columns='support')\n", + " accuracy = accuracy_score(df_final[label_col], df_final['majority_vote'])\n", + "\n", + " # Display the classification report and accuracy\n", + " print(f\"Classification Report for majority voting:\")\n", + " print(report_df)\n", + " print(f\"Accuracy for majority voting: {accuracy:.4f}\")\n", + "\n", + " return df_final, report, accuracy\n" + ] + }, + { + "cell_type": "markdown", + "id": "0dde2d03", + "metadata": {}, + "source": [ + "# Prompting Approaches\n", + "\n", + "We will begin with straightforward instructions and gradually build upon them until we observe a noticeable improvement in the model's predictions.\n", + "\n", + "For all analyses, we will adjust the model's temperature, as it influences the randomness of the output. To assess the consistency of the models' predictions, we will conduct each analysis at different temperature settings three times and report the classification results separately for each run, along with the average accuracy. Given that we are focusing on data annotation, we will provide metrics such as recall, precision, F1 score, and accuracy at each step.\n", + "\n", + "### Step 1: Simple Instruction\n", + "In this step, we will employ straightforward instructions to evaluate the baseline capabilities of the models for data annotation, allowing for a better comparison of their annotation performance.\n", + "\n", + "### Step 2: Prompt Refinement\n", + "Next, we will refine the prompt by incorporating prompting patterns like persona descriptions and improving task descriptions to better guide the model. The results and comparisons will be reported similarly to the previous step.\n", + "\n", + "### Step 3: Few-Shot Examples\n", + "In this stage, we will identify optimal samples from the test dataset to assist the model in making predictions. We will utilize the test dataset to avoid exposing the model to the same training data. The few-shot examples will be carefully selected to fit within the model's context window and will use a readability metric to identify the most challenging samples in each class, thereby providing better guidance for the model.\n", + "\n", + "### Step 4: Reason Then Label\n", + "In this step, we will instruct the model to engage in reasoning before generating a label. Since LLMs tend to show bias when first asked to generate a label and then match reasoning to it, we will ask the model to reason first and then produce the label.\n", + "\n", + "**Note:**\n", + "\n", + "We will conclude our analysis at step4 due to time and memory constraints. However, future work could expand on these methods by exploring additional aspects. For instance, LLMs often exhibit position bias in few-shot prompting, where they may favor the first examples or classes. Evaluating the same prompt with different example positions could provide further insights. Additionally, providing the model with a few examples for annotation as warm-up data could allow for evaluation against true samples. Feedback could then be generated, either through human intervention or by employing a more robust model, and this feedback could be paired with the model's labels and the correct labels to enhance the model's labeling and reasoning through iterative improvement." + ] + }, + { + "cell_type": "markdown", + "id": "75fedb65", + "metadata": {}, + "source": [ + "## Step 1: Simple Instruction" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "4f5d953c", + "metadata": {}, + "outputs": [], + "source": [ + "def predict_sentiment_simple_prompt(review_text, temperature, model_version):\n", + " # Select the model based on the specified version\n", + " if model_version == '0.5':\n", + " model = llm_qwen_0_5\n", + " elif model_version == '1.5':\n", + " model = llm_qwen_1_5\n", + " else:\n", + " raise ValueError(\"Invalid model version. Choose '0.5' or '1.5'.\")\n", + "\n", + " # Create chat completion with the selected model\n", + " response = model.create_chat_completion(\n", + " temperature=temperature,\n", + " messages=[\n", + " {\"role\": \"system\", \"content\": \"You are a helpful assistant that predicts the sentiment of IMDB movie reviews written by viewers. If the review has a negative sentiment, return 'negative'. If the review has a positive sentiment, return 'positive'.\"},\n", + " {\"role\": \"user\", \"content\": review_text}\n", + " ]\n", + " )\n", + "\n", + " predicted_sentiment = response[\"choices\"][0][\"message\"][\"content\"].strip().lower()\n", + "\n", + " # Return the predicted sentiment\n", + " return predicted_sentiment" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "af2e3d96", + "metadata": {}, + "outputs": [], + "source": [ + "# List of temperatures to evaluate\n", + "temperatures = [0, 1, 2]" + ] + }, + { + "cell_type": "markdown", + "id": "8e69b4c4", + "metadata": {}, + "source": [ + "## **Note:**\n", + "\n", + "For our analysis we would only focus on temperature setting as a hyperparamater of the model rather than experimenting with top-p or top-k parameters can be justified for several reasons:\n", + "\n", + "1. Simplicity and Clarity in Results: By controlling only one variable (temperature), one can ensure the analysis is straightforward and the results are easier to interpret. When multiple parameters are varied simultaneously (e.g., temperature, top-p, top-k), it becomes more complex to attribute improvements or performance drops to a specific setting.\n", + "\n", + "\n", + "2. Task Suitability: The temperature parameter directly affects the \"creativity\" and randomness of model outputs, which is more closely tied to sentiment analysis tasks. On the other hand, parameters like top-p and top-k are more critical for tasks that require more diversity in generated content.\n", + "\n", + "\n", + "3. Resource Efficiency: As the task focuses on evaluating smaller language models for practical applications, simplifying the parameter space reduces the computational cost and time needed for experimentation.\n", + "\n", + "\n", + "4. Comparability: Limiting the scope to temperature provides a clearer comparison between models of different sizes. Introducing too many factors could cloud the understanding of how the models' size affects their performance under similar conditions." + ] + }, + { + "cell_type": "markdown", + "id": "7658febe", + "metadata": {}, + "source": [ + "#### Small Qwen Model" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "37e9228b", + "metadata": {}, + "outputs": [], + "source": [ + "df_predictions_simple_s = df_split.copy()\n", + "\n", + "\n", + "# Loop over each temperature and run predictions\n", + "for temp in temperatures:\n", + " print(f\"Evaluating for temperature: {temp}\")\n", + "\n", + " # Run predictions three times for each temperature\n", + " for run in range(1, 4):\n", + " col_name = f'predicted_output_temp_{temp}_run_{run}_simple_s'\n", + "\n", + " # Make predictions for all split reviews with the current temperature\n", + " df_predictions_simple_s[col_name] = df_predictions_simple_s['review'].apply(lambda x: predict_sentiment_simple_prompt(x, temp, '0.5'))\n", + "\n", + "print(\"Predictions completed for all temperatures.\")\n", + "\n", + "# Apply clean_label function to all columns that start with 'predicted_output'\n", + "predicted_output_columns_simple_s = df_predictions_simple_s.filter(like='predicted_output').columns\n", + "df_predictions_simple_s[predicted_output_columns_simple_s] = df_predictions_simple_s[predicted_output_columns_simple_s].applymap(clean_label)\n", + "\n", + "#Getting classification report\n", + "metrics_df_simple_s = generate_classification_metrics(df_predictions_simple_s, label_col='label')\n", + "\n", + "# Getting majority voting report\n", + "df_final_simple_s, report_simple_s, accuracy_simple_s = majority_vote_predictions(df_predictions_simple_s, original_index_col='original_index', label_col='label')" + ] + }, + { + "cell_type": "markdown", + "id": "228dcc59", + "metadata": {}, + "source": [ + "#### Medium Qwen Model" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "b2e13643", + "metadata": {}, + "outputs": [], + "source": [ + "df_predictions_simple_m = df_split.copy()\n", + "\n", + "# Loop over each temperature and run predictions\n", + "for temp in temperatures:\n", + " print(f\"Evaluating for temperature: {temp}\")\n", + "\n", + " # Run predictions three times for each temperature\n", + " for run in range(1, 4):\n", + " col_name = f'predicted_output_temp_{temp}_run_{run}_simple_s'\n", + "\n", + " # Make predictions for all split reviews with the current temperature\n", + " df_predictions_simple_m[col_name] = df_predictions_simple_m['review'].apply(lambda x: predict_sentiment_simple_prompt(x, temp, '1.5'))\n", + "\n", + "print(\"Predictions completed for all temperatures.\")\n", + "\n", + "# Apply clean_label function to all columns that start with 'predicted_output'\n", + "predicted_output_columns_simple_m = df_predictions_simple_m.filter(like='predicted_output').columns\n", + "df_predictions_simple_m[predicted_output_columns_simple_m] = df_predictions_simple_m[predicted_output_columns_simple_m].applymap(clean_label)\n", + "\n", + "#Getting classification report\n", + "metrics_df_simple_m = generate_classification_metrics(df_predictions_simple_m, label_col='label')\n", + "\n", + "# Getting majority voting report\n", + "df_final_simple_m, report_simple_m, accuracy_simple_m = majority_vote_predictions(df_predictions_simple_m, original_index_col='original_index', label_col='label')" + ] + }, + { + "cell_type": "markdown", + "id": "a151867b", + "metadata": {}, + "source": [ + "## Step 1: Result Analysis and Model Comparison\n", + "\n", + "1. Model Stability across runs: Looking at the multiple runs for each temperature, the models show consistency in performance for temperature 0, with little variance across the runs. As temperature increases, variability also increases.\n", + "\n", + "2. The results from both models are quite similar and not much difference is observed. This could be due to label schema simplicity (binary labels), or due to the fact that the Qwen 1.5B is not specifically finetuned for sentiment annotation and therefore the results of both models are quite similar. \n", + "\n", + "3. Overall results: Both models seem to perform well for the task of binary sentiment analysis, however it is possible that with a larger sample set the performance reduces.\n", + "\n", + "4. Majority voting: The scores from majority voting should only be considered as a reference to the goodness of model performance and not an indicative of model being perfect, as the majority voting is more likely to result in a better and more representative result.\n" + ] + }, + { + "cell_type": "markdown", + "id": "e5346b1b", + "metadata": {}, + "source": [ + "## Step 2: Prompt Refinement" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "4cac650e", + "metadata": {}, + "outputs": [], + "source": [ + "def predict_sentiment_refinement_prompt(review_text, temperature, model_version):\n", + " # Select the model based on the specified version\n", + " if model_version == '0.5':\n", + " model = llm_qwen_0_5\n", + " elif model_version == '1.5':\n", + " model = llm_qwen_1_5\n", + " else:\n", + " raise ValueError(\"Invalid model version. Choose '0.5' or '1.5'.\")\n", + "\n", + " # Create chat completion with the selected model\n", + " response = model.create_chat_completion(\n", + " temperature=temperature,\n", + " messages=[\n", + " {\"role\": \"system\", \"content\": \"\"\"You are a sentiment analysis model. Your task is to classify movie reviews as either having **positive** or **negative** sentiment. To help you perform this task, pay particular attention to the following sentiment-specific words and phrases:\n", + "\n", + " - **Positive sentiment words**: joy, happy, excellent, wonderful, great, exciting, charming, delightful, beautiful, love, success, heartfelt, inspiring, pleasant, entertaining.\n", + " - **Negative sentiment words**: bad, terrible, awful, boring, sad, disappointing, worst, frustrating, hate, dull, annoying, painful, horrible, frustrating, upsetting.\n", + "\n", + " When a review contains positive sentiment words, return **positive**. When a review contains negative sentiment words, return **negative**. For reviews that have a mixture of positive and negative words, determine the overall tone and return the predominant sentiment.\n", + "\n", + " Additionally, consider the intensity of emotions. If the words indicate a **strong** positive or negative emotion (e.g., *amazing*, *horrific*), prioritize those when classifying the sentiment.\"\"\"},\n", + " {\"role\": \"user\", \"content\": review_text}\n", + " ]\n", + " )\n", + "\n", + " predicted_sentiment = response[\"choices\"][0][\"message\"][\"content\"].strip().lower()\n", + "\n", + " # Return the predicted sentiment\n", + " return predicted_sentiment" + ] + }, + { + "cell_type": "markdown", + "id": "d052b1bc", + "metadata": {}, + "source": [ + "#### Small Qwen Model" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "8658d367", + "metadata": {}, + "outputs": [], + "source": [ + "df_predictions_refinement_s = df_split.copy()\n", + "\n", + "# Loop over each temperature and run predictions\n", + "for temp in temperatures:\n", + " print(f\"Evaluating for temperature: {temp}\")\n", + "\n", + " # Run predictions three times for each temperature\n", + " for run in range(1, 4):\n", + " col_name = f'predicted_output_temp_{temp}_run_{run}_simple_s'\n", + "\n", + " # Make predictions for all split reviews with the current temperature\n", + " df_predictions_refinement_s[col_name] = df_predictions_refinement_s['review'].apply(lambda x: predict_sentiment_refinement_prompt(x, temp,'0.5'))\n", + "\n", + "print(\"Predictions completed for all temperatures.\")\n", + "\n", + "# Apply clean_label function to all columns that start with 'predicted_output'\n", + "predicted_output_columns_refinement_s = df_predictions_refinement_s.filter(like='predicted_output').columns\n", + "df_predictions_refinement_s[predicted_output_columns_refinement_s] = df_predictions_refinement_s[predicted_output_columns_refinement_s].applymap(clean_label)\n", + "\n", + "#Getting classification report\n", + "metrics_df_refinement_s = generate_classification_metrics(df_predictions_refinement_s, label_col='label')\n", + "\n", + "# Getting majority voting report\n", + "df_final_refinement_s, report_refinement_s, accuracy_refinement_s = majority_vote_predictions(df_predictions_refinement_s, original_index_col='original_index', label_col='label')" + ] + }, + { + "cell_type": "markdown", + "id": "fd07880e", + "metadata": {}, + "source": [ + "#### Medium Qwen Model" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "267043e9", + "metadata": {}, + "outputs": [], + "source": [ + "df_predictions_refinement_m = df_split.copy()\n", + "\n", + "# Loop over each temperature and run predictions\n", + "for temp in temperatures:\n", + " print(f\"Evaluating for temperature: {temp}\")\n", + "\n", + " # Run predictions three times for each temperature\n", + " for run in range(1, 4):\n", + " col_name = f'predicted_output_temp_{temp}_run_{run}_refinement_m'\n", + "\n", + " # Make predictions for all split reviews with the current temperature\n", + " df_predictions_refinement_m[col_name] = df_predictions_refinement_m['review'].apply(lambda x: predict_sentiment_refinement_prompt(x, temp,'1.5'))\n", + "\n", + "print(\"Predictions completed for all temperatures.\")\n", + "\n", + "# Apply clean_label function to all columns that start with 'predicted_output'\n", + "predicted_output_columns_refinement_m = df_predictions_refinement_m.filter(like='predicted_output').columns\n", + "df_predictions_refinement_m[predicted_output_columns_refinement_m] = df_predictions_refinement_m[predicted_output_columns_refinement_m].applymap(clean_label)\n", + "\n", + "#Getting classification report\n", + "metrics_df_refinement_m = generate_classification_metrics(df_predictions_refinement_m, label_col='label')\n", + "\n", + "# Getting majority voting report\n", + "df_final_refinement_m, report_refinement_m, accuracy_refinement_m = majority_vote_predictions(df_predictions_refinement_m, original_index_col='original_index', label_col='label')" + ] + }, + { + "cell_type": "markdown", + "id": "49e76fc9", + "metadata": {}, + "source": [ + "## Step 2: Result Analysis and Model Comparison\n", + "\n", + "Already at this step, the Qwen 1.5B is reaching a perfect score in all run. Once again this code be due to the fact that the sampled dataset and the labeling process is at this point easier for this model. However a better description and providing a persona seem to have improved the Qwen 0.5 model as well.\n", + "\n", + "In the next parts, we will focus on prossibilities to improve the Qwen 0.5 model's performance." + ] + }, + { + "cell_type": "markdown", + "id": "dad9718e", + "metadata": {}, + "source": [ + "## Step3: Few-shot Examples" + ] + }, + { + "cell_type": "markdown", + "id": "3c4cce46", + "metadata": {}, + "source": [ + "### Selecting the two-shot examples\n", + "\n", + "\n", + "To address the limitations of the input context window and to choose lexically challenging examples that can better guide the model, I will impose a token limit followed by a readability analysis. Only one example per class will be selected.\n", + "\n", + "These examples will be drawn from the 'test' split of the same dataset.\n", + "\n", + "**Note:**\n", + "\n", + "It is also possible to include additional examples and further segment the training dataset into smaller token counts to meet the token constraint. However, for this analysis, I have opted not to alter the chunking size." + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "562c5d93", + "metadata": {}, + "outputs": [], + "source": [ + "from textstat import textstat\n", + "\n", + "# Load the dataset from Hugging Face and convert to Pandas DataFrame\n", + "dataset_test = pd.DataFrame(load_dataset(\"ajaykarthick/imdb-movie-reviews\", split='test'))\n", + "\n", + "# Map labels to more descriptive terms\n", + "dataset_test['label'] = dataset_test['label'].map({0: 'positive', 1: 'negative'})\n", + "\n", + "# Load spaCy model for English\n", + "nlp = spacy.load(\"en_core_web_sm\")\n", + "\n", + "def count_tokens(text):\n", + " \"\"\"Count the number of tokens in a given text using spaCy.\"\"\"\n", + " return len(nlp(text))\n", + "\n", + "def calculate_readability(text):\n", + " \"\"\"Calculate the Flesch-Kincaid reading ease score of a given text.\"\"\"\n", + " return textstat.flesch_reading_ease(text)\n", + "\n", + "def filter_by_token_count(df, token_limit=100):\n", + " \"\"\"Filter reviews in the DataFrame by a maximum token count.\"\"\"\n", + " df['token_count'] = df['review'].apply(count_tokens)\n", + " return df[df['token_count'] < token_limit]\n", + "\n", + "def filter_reviews_by_readability(df, readability_threshold=60.0):\n", + " \"\"\"Filter reviews in the DataFrame by a minimum readability score.\"\"\"\n", + " # Use .loc to avoid SettingWithCopyWarning\n", + " df.loc[:, 'readability_score'] = df['review'].apply(calculate_readability)\n", + " return df[df['readability_score'] < readability_threshold]\n", + "\n", + "# Filter reviews based on token count and readability\n", + "filtered_reviews = filter_reviews_by_readability(filter_by_token_count(dataset_test))\n", + "\n", + "# Select one example for each label (positive and negative)\n", + "selected_examples = pd.concat([\n", + " filtered_reviews[filtered_reviews['label'] == 'positive'].head(1),\n", + " filtered_reviews[filtered_reviews['label'] == 'negative'].head(1)\n", + "])\n", + "\n", + "# Convert selected examples to a dictionary\n", + "selected_dict = selected_examples.to_dict(orient='records')\n", + "\n", + "# Print the result as a dictionary\n", + "print(selected_dict)" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "2562460c", + "metadata": {}, + "outputs": [], + "source": [ + "def predict_sentiment_fewshot_prompt(review_text, temperature, model_version):\n", + " # Select the model based on the specified version\n", + " if model_version == '0.5':\n", + " model = llm_qwen_0_5\n", + " elif model_version == '1.5':\n", + " model = llm_qwen_1_5\n", + " else:\n", + " raise ValueError(\"Invalid model version. Choose '0.5' or '1.5'.\")\n", + "\n", + " # Create chat completion with the selected model\n", + " response = model.create_chat_completion(\n", + " temperature=temperature,\n", + " messages=[\n", + " {\"role\": \"system\", \"content\": \"\"\"You are a sentiment analysis model. Your task is to analyze the sentiment of IMDB movie reviews.\n", + " A review is considered 'negative' if the viewer expresses dissatisfaction or disappointment with the film.\n", + " A review is 'positive' if the viewer expresses enjoyment, excitement, or praise for the film.\n", + " If the review is negative, return 'negative'. If the review is positive, return 'positive'\n", + "\n", + " Neagtive example: Poorly written conspiracy drama/mystery about the possibility that AIDS was introduced to the public by the government. Wlaschiha plays a gay researcher looking for answers--that within this foggy plot would be hard for anyone to find. Despite the cinematography itself being commendable, the camera hungers for characters of true depth instead of the shallow, amateur acting it unfortunately has to convey. Grade: D+\n", + " Positive example: This is an incredibly compelling story, told with great simplicity and grace. The story itself is the object of the film, although the scenery is beautiful. The acting is understated, even superbly so, for the characters themselves come through in all of their eccentric simplicity.

This piece of art will likely not be appreciated by those who view movies 'casually', without due attention. It takes work to be brought into the story, but once you become involved the captivation is complete!\"\"\"},\n", + " {\"role\": \"user\", \"content\": review_text}\n", + " ]\n", + " )\n", + "\n", + " predicted_sentiment = response[\"choices\"][0][\"message\"][\"content\"].strip().lower()\n", + "\n", + " # Return the predicted sentiment\n", + " return predicted_sentiment" + ] + }, + { + "cell_type": "markdown", + "id": "e5499ab6", + "metadata": {}, + "source": [ + "#### Small Qwen Model" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "af1ce9d9", + "metadata": {}, + "outputs": [], + "source": [ + "df_predictions_fewshot_s = df_split.copy()\n", + "\n", + "# Loop over each temperature and run predictions\n", + "for temp in temperatures:\n", + " print(f\"Evaluating for temperature: {temp}\")\n", + "\n", + " # Run predictions three times for each temperature\n", + " for run in range(1, 4):\n", + " col_name = f'predicted_output_temp_{temp}_run_{run}_fewshot_s'\n", + "\n", + " # Make predictions for all split reviews with the current temperature\n", + " df_predictions_fewshot_s[col_name] = df_predictions_fewshot_s['review'].apply(lambda x: predict_sentiment_fewshot_prompt(x, temp,'0.5'))\n", + "\n", + "print(\"Predictions completed for all temperatures.\")\n", + "\n", + "# Apply clean_label function to all columns that start with 'predicted_output'\n", + "predicted_output_columns_fewshot_s = df_predictions_fewshot_s.filter(like='predicted_output').columns\n", + "df_predictions_fewshot_s[predicted_output_columns_fewshot_s] = df_predictions_fewshot_s[predicted_output_columns_fewshot_s].applymap(clean_label)\n", + "\n", + "#Getting classification report\n", + "metrics_df_fewshot_s = generate_classification_metrics(df_predictions_fewshot_s, label_col='label')\n", + "\n", + "# Getting majority voting report\n", + "df_final_fewshot_s, report_fewshot_s, accuracy_fewshot_s = majority_vote_predictions(df_predictions_fewshot_s, original_index_col='original_index', label_col='label')" + ] + }, + { + "cell_type": "markdown", + "id": "b19041d8", + "metadata": {}, + "source": [ + "#### Medium Qwen Model" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "7b11c69b", + "metadata": {}, + "outputs": [], + "source": [ + "df_predictions_fewshot_m = df_split.copy()\n", + "\n", + "# Loop over each temperature and run predictions\n", + "for temp in temperatures:\n", + " print(f\"Evaluating for temperature: {temp}\")\n", + "\n", + " # Run predictions three times for each temperature\n", + " for run in range(1, 4):\n", + " col_name = f'predicted_output_temp_{temp}_run_{run}_fewshot_m'\n", + "\n", + " # Make predictions for all split reviews with the current temperature\n", + " df_predictions_fewshot_m[col_name] = df_predictions_fewshot_m['review'].apply(lambda x: predict_sentiment_fewshot_prompt(x, temp,'1.5'))\n", + "\n", + "print(\"Predictions completed for all temperatures.\")\n", + "\n", + "# Apply clean_label function to all columns that start with 'predicted_output'\n", + "predicted_output_columns_fewshot_m = df_predictions_fewshot_m.filter(like='predicted_output').columns\n", + "df_predictions_fewshot_m[predicted_output_columns_fewshot_m] = df_predictions_fewshot_m[predicted_output_columns_fewshot_m].applymap(clean_label)\n", + "\n", + "#Getting classification report\n", + "metrics_df_fewshot_m = generate_classification_metrics(df_predictions_fewshot_m, label_col='label')\n", + "\n", + "# Getting majority voting report\n", + "df_final_fewshot_m, report_fewshot_m, accuracy_fewshot_m = majority_vote_predictions(df_predictions_fewshot_m, original_index_col='original_index', label_col='label')" + ] + }, + { + "cell_type": "markdown", + "id": "4bc8caca", + "metadata": {}, + "source": [ + "## Step 3: Result Analysis and Model Comparison\n", + "\n", + "It seems that the use of examples did not improve the model results, but kept it in the same range at least for the temperature = 0. This could be due to the fact that using patterns and examples have quite similar effects on the model. One approach to take here would be to try out more examples or a range of 'easy' to 'difficult' examples (either lexically chooseing a smaller readability value <30 or semantically by handpicking ambiguous examples to choose more difficult examples for the model to learn from)to evaluate the model.\n", + "\n", + "On the other hand, the Qwen 1.5B suffered more from the examples. This could be due to same reasons stated above. \n", + "\n", + "In application scenario, I would have evaluated the model with various examples based on several criteria, such as lexical and semantic complexity, sentence length, number of shots, order of shots (e.g., first negative then positive examples, vice versa, or mixed) to be able to better guide the model. Evaluating the model by mixing few-shot examples with prompt pattern could also be an step to evaluate." + ] + }, + { + "cell_type": "markdown", + "id": "317efe1f", + "metadata": {}, + "source": [ + "## Step 4: Reason Then Label" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "4720653b", + "metadata": {}, + "outputs": [], + "source": [ + "def predict_sentiment_reason_prompt(review_text, temperature, model_version):\n", + " # Select the model based on the specified version\n", + " if model_version == '0.5':\n", + " model = llm_qwen_0_5\n", + " elif model_version == '1.5':\n", + " model = llm_qwen_1_5\n", + " else:\n", + " raise ValueError(\"Invalid model version. Choose '0.5' or '1.5'.\")\n", + "\n", + " # Create chat completion with the selected model\n", + " response = model.create_chat_completion(\n", + " temperature=temperature,\n", + " messages=[\n", + " {\"role\": \"system\", \"content\": \"\"\"You are a sentiment analysis model with a focus on reasoning.\n", + " Your task is to analyze the sentiment of IMDB movie reviews by first reasoning about whether the review expresses positive or negative sentiment.\n", + " Once you have reasoned through the review, explain your reasoning clearly, then return the reason, as well as 'negative' if the review is negative and 'positive' if it is positive.\n", + "\n", + " Example reasoning for a negative review:\n", + " \"The user expresses dissatisfaction with the plot and the acting, describing them as shallow and amateurish, despite appreciating the cinematography. This overall tone indicates a negative sentiment.\"\n", + " label: negative\n", + "\n", + " Example reasoning for a positive review:\n", + " \"The user highlights the compelling nature of the story, the beauty of the scenery, and the superb acting. The praise for the simplicity and grace of the storytelling points to a positive sentiment.\"\n", + " label: positive\n", + "\n", + " output format:\n", + " Reasoning: {your reasoning here}\n", + " Label: {the label}\"\"\"},\n", + " {\"role\": \"user\", \"content\": review_text}\n", + " ]\n", + " )\n", + "\n", + " predicted_sentiment = response[\"choices\"][0][\"message\"][\"content\"].strip().lower()\n", + "\n", + " # Return the predicted sentiment\n", + " return predicted_sentiment" + ] + }, + { + "cell_type": "markdown", + "id": "01676541", + "metadata": {}, + "source": [ + "#### Small Qwen Model" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "e2e14835", + "metadata": {}, + "outputs": [], + "source": [ + "df_predictions_reason_s = df_split.copy()\n", + "\n", + "# Loop over each temperature and run predictions\n", + "for temp in temperatures:\n", + " print(f\"Evaluating for temperature: {temp}\")\n", + "\n", + " # Run predictions three times for each temperature\n", + " for run in range(1, 4):\n", + " col_name = f'predicted_output_temp_{temp}_run_{run}_reason_s'\n", + "\n", + " # Make predictions for all split reviews with the current temperature\n", + " df_predictions_reason_s[col_name] = df_predictions_reason_s['review'].apply(lambda x: predict_sentiment_reason_prompt(x, temp,'0.5'))\n", + "\n", + "print(\"Predictions completed for all temperatures.\")\n" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "cbe40e28", + "metadata": {}, + "outputs": [], + "source": [ + "def split_reasoning_and_label(df, prediction_prefix='predicted_output_temp_', num_temperatures=3, num_runs=3):\n", + " # Iterate through all columns that start with the 'predicted_output' prefix\n", + " for temp in range(num_temperatures):\n", + " for run in range(1, num_runs + 1):\n", + " col_name_pattern = f'{temp}_run_{run}_reason_s'\n", + " \n", + " # Check if the column exists\n", + " if col_name_pattern in df.columns:\n", + " # Extract reasoning and label by splitting the content\n", + " reasoning_col = f'_reason_{temp}_run_{run}'\n", + " label_col = f'{prediction_prefix}{temp}_run_{run}_label'\n", + "\n", + " # Handle varying spaces between 'reasoning:' and 'label:'\n", + " df[reasoning_col] = df[col_name_pattern].apply(lambda x: \n", + " re.search(r'reasoning:\\s*(.*?)\\s*label:', str(x), re.DOTALL).group(1).strip() \n", + " if re.search(r'reasoning:\\s*(.*?)\\s*label:', str(x), re.DOTALL) else None\n", + " )\n", + "\n", + " # Rename the original column (remove 'predicted_output' from its name)\n", + " new_col_name = col_name_pattern.replace('_reason_', '_reason__')\n", + " df.rename(columns={col_name_pattern: new_col_name}, inplace=True)\n", + "\n", + " return df\n", + "\n", + "\n", + "df_predictions_reason_s= split_reasoning_and_label(df_predictions_reason_s)" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "62300baf", + "metadata": {}, + "outputs": [], + "source": [ + "# Apply clean_label function to all columns that start with 'predicted_output'\n", + "predicted_output_columns_reason_s = df_predictions_reason_s.filter(like='predicted_output').columns\n", + "print(predicted_output_columns_reason_s)\n", + "df_predictions_reason_s[predicted_output_columns_reason_s] = df_predictions_reason_s[predicted_output_columns_reason_s].applymap(clean_label)\n", + "\n", + "#Getting classification report\n", + "metrics_df_reason_s = generate_classification_metrics(df_predictions_reason_s, label_col='label')\n", + "\n", + "# Getting majority voting report\n", + "df_final_reason_s, report_reason_s, accuracy_reason_s = majority_vote_predictions(df_predictions_reason_s, original_index_col='original_index', label_col='label')" + ] + }, + { + "cell_type": "markdown", + "id": "87514132", + "metadata": {}, + "source": [ + "#### Medium Qwen Model" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "a4cf65cb", + "metadata": {}, + "outputs": [], + "source": [ + "df_predictions_reason_m = df_split.copy()\n", + "\n", + "# Loop over each temperature and run predictions\n", + "for temp in temperatures:\n", + " print(f\"Evaluating for temperature: {temp}\")\n", + "\n", + " # Run predictions three times for each temperature\n", + " for run in range(1, 4):\n", + " col_name = f'predicted_output_temp_{temp}_run_{run}_reason_m'\n", + "\n", + " # Make predictions for all split reviews with the current temperature\n", + " df_predictions_reason_m[col_name] = df_predictions_reason_m['review'].apply(lambda x: predict_sentiment_reason_prompt(x, temp,'1.5'))\n", + "\n", + "print(\"Predictions completed for all temperatures.\")\n", + "\n" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "3d7f7553", + "metadata": {}, + "outputs": [], + "source": [ + "def split_reasoning_and_label(df, prediction_prefix='predicted_output_temp_', num_temperatures=3, num_runs=3):\n", + " # Iterate through all columns that start with the 'predicted_output' prefix\n", + " for temp in range(num_temperatures):\n", + " for run in range(1, num_runs + 1):\n", + " col_name_pattern = f'{prediction_prefix}{temp}_run_{run}_reason_m'\n", + " \n", + " # Check if the column exists\n", + " if col_name_pattern in df.columns:\n", + " # Define new column names\n", + " reasoning_col = f'reasoning__temp_{temp}_run_{run}_reason_m'\n", + " label_col = f'predicted_output_temp_{temp}_run_{run}_label'\n", + "\n", + " # Handle varying spaces between 'reasoning:' and 'label:'\n", + " df[reasoning_col] = df[col_name_pattern].apply(lambda x: \n", + " re.search(r'reasoning:\\s*(.*?)\\s*label:', str(x), re.DOTALL).group(1).strip() \n", + " if re.search(r'reasoning:\\s*(.*?)\\s*label:', str(x), re.DOTALL) else None\n", + " )\n", + "\n", + " # Extract the label or default to 'positive' if missing or is 'None'\n", + " df[label_col] = df[col_name_pattern].apply(lambda x: \n", + " re.search(r'label:\\s*(\\S+)', str(x)).group(1).strip() \n", + " if re.search(r'label:\\s*(\\S+)', str(x)) and re.search(r'label:\\s*(\\S+)', str(x)).group(1).strip() != 'None' else 'positive'\n", + " )\n", + "\n", + " # Rename the original column to 'results_' prefix (without 'predicted_output')\n", + " new_col_name = col_name_pattern.replace('predicted_output_', 'results_')\n", + " df.rename(columns={col_name_pattern: new_col_name}, inplace=True)\n", + "\n", + " return df\n", + "\n", + "\n", + "df_predictions_reason_m = split_reasoning_and_label(df_predictions_reason_m)" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "b691818e", + "metadata": {}, + "outputs": [], + "source": [ + "# Apply clean_label function to all columns that start with 'predicted_output'\n", + "predicted_output_columns_reason_m = df_predictions_reason_m.filter(like='predicted_output').columns\n", + "df_predictions_reason_m[predicted_output_columns_reason_m] = df_predictions_reason_m[predicted_output_columns_reason_m].applymap(clean_label)\n", + "\n", + "#Getting classification report\n", + "metrics_df_reason_m = generate_classification_metrics(df_predictions_reason_m, label_col='label')\n", + "\n", + "# Getting majority voting report\n", + "df_final_reason_m, report_reason_m, accuracy_reason_m = majority_vote_predictions(df_predictions_reason_m, original_index_col='original_index', label_col='label')" + ] + }, + { + "cell_type": "markdown", + "id": "6825c6fa", + "metadata": {}, + "source": [ + "## Step 4: Result Analysis and Model Comparison\n", + "\n", + "\n", + "As can be seen by the results, enforcing the model to generate a reasoning before predicting the label has helped both the small and the middle sized model to perform a better prediction." + ] + }, + { + "cell_type": "markdown", + "id": "165e6f4f", + "metadata": {}, + "source": [ + "## Conclusion and Possible Next Steps" + ] + }, + { + "cell_type": "markdown", + "id": "8fef0f2d", + "metadata": {}, + "source": [ + "\n", + "\n", + "\n", + "I have assessed the models using four prompting strategies while experimenting with three different temperature settings (0, 1, and 2), running predictions three times for each temperature. As I anticipated, the most deterministic temperature setting exhibited greater consistency and generally yielded better scores. However, the differences among the various settings were minimal, which could be attributed to the nature of the task being a binary classification. These findings may not be replicated in more creative generative tasks.\n", + "\n", + "The results suggest that although incorporating additional examples and refining prompts improved model performance, the key factor that enabled the model to achieve higher accuracy was requiring it to reason through its response before generating a label.\n", + "\n", + "**Does near-perfect model performance imply that it will perform well across the entire dataset?**\n", + "\n", + "While this is a possibility, it is also conceivable that identical results may not be attainable when inferring on the full dataset of 40,000 samples.\n", + "\n", + "Additionally, rerunning the same code could lead to different outcomes, emphasizing the importance of documenting results from each run for a clearer overview.\n", + "\n", + "I recommend testing the code on a larger subset of the dataset to determine if significant changes in results occur. Furthermore, it is crucial to recognize that in real-world applications, datasets may not be balanced or well-structured, so considering more advanced approaches is advisable in case imbalance impacts model performance.\n", + "\n", + "For more complex classification tasks, such as multi-label or multi-class classification, alternative prompt engineering techniques like Chain of Thought (CoT) could prove beneficial.\n" + ] + }, + { + "cell_type": "markdown", + "id": "c2339140", + "metadata": {}, + "source": [ + "#### Acknowledgement of Limitations:\n", + "\n", + "1. **Sample Size:** Due to computational constraints, I was only able to test the models on 1000 samples (500 per class). While this provides an initial indication of model performance, predictions may fluctuate when applied to larger datasets. I addressed this to some extent by using a more diverse data sampling strategy to ensure broader coverage of examples.\n", + "\n", + "\n", + "2. **Execution Environment:** The model inference was conducted on Google Colab, which is linked in my GitHub repository via the README.md file. The code is available in both the README and the Jupyter notebook in the repository. Colab’s limitations, including personal account restrictions and potential connection issues, led me to save the prediction results after each run to ensure stability. Plotting is also based on these saved predictions, as connection issues in Colab could cause cell outputs to be lost. Please refer to the plots directory for the visualized results.\n", + "\n", + "\n", + "3. **Parameter Tuning:** I focused exclusively on experimenting with different temperature settings and did not explore the influence of parameters like top-p and top-k. This decision was made for several reasons:\n", + "\n", + " a. **Simplicity and Clarity:** By controlling only the temperature, I ensured that the results are easier to interpret. Introducing multiple varying parameters could make it harder to attribute performance changes to any one factor.\n", + " \n", + " b. **Task Relevance:** The temperature parameter directly impacts the randomness and creativity of model outputs, which is closely related to sentiment prediction tasks. In contrast, top-p and top-k are more suited for tasks requiring diverse content generation.\n", + " \n", + " c. **Resource Efficiency:** Given the focus on smaller language models, reducing the parameter space helped minimize the computational load and experimentation time.\n", + " \n", + " d.**Comparability:** Keeping the scope to temperature adjustments allowed for a clearer comparison between models of different sizes without adding complexity from other variables.\n", + " \n", + " \n", + "4. **Prompting Approach:** Since the step 4 prompting approach yielded stable and satisfactory results for both models, I opted to stop further prompt experimentation. However, I acknowledge that additional prompting techniques could be explored to ensure robustness in real-world applications. Further tests such as cross-validation across different data domains, error analysis of edge cases, and A/B testing with alternative prompt designs would be necessary to refine the model's reliability for production-level sentiment analysis.\n" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "id": "2b13cfd5", + "metadata": {}, + "outputs": [], + "source": [] + } + ], + "metadata": { + "kernelspec": { + "display_name": "Python 3 (ipykernel)", + "language": "python", + "name": "python3" + }, + "language_info": { + "codemirror_mode": { + "name": "ipython", + "version": 3 + }, + "file_extension": ".py", + "mimetype": "text/x-python", + "name": "python", + "nbconvert_exporter": "python", + "pygments_lexer": "ipython3", + "version": "3.8.5" + } + }, + "nbformat": 4, + "nbformat_minor": 5 +} diff --git a/README.md b/README.md new file mode 100644 index 0000000..05f9c70 --- /dev/null +++ b/README.md @@ -0,0 +1,138 @@ +# Task: Sentiment Analysis with IMDB Dataset + +## Description: + +### Task Objectives + +1. Design and refine prompts to achieve maximum accuracy in sentiment analysis +2. Implement local inference for SLMs using Python +3. Compare the performance and efficiency of two SLMs of different sizes +4. Analyze results and draw meaningful insights +5. Document the process and findings effectively + + +### Data + +The dataset of IMDB movie reviews is accessed through [Huggingface](https://huggingface.co/datasets/ajaykarthick/imdb-movie-reviews), which contains around 50k samples; 40k for 'train' and 10k for 'test' dataset. + +### Models + +1. [bartowski/Qwen2.5-1.5B-Instruct-GGUF](https://huggingface.co/bartowski/Qwen2.5-1.5B-Instruct-GGUF/blob/main/Qwen2.5-1.5B-Instruct-Q5_K_M.gguf): A lightweight 1.5B-parameter instruction- +tuned model with enhanced capabilities in coding, mathematics, and handling structured data. + + +2. [bartowski/Qwen2.5-0.5B-Instruct-GGUF](https://huggingface.co/bartowski/Qwen2.5-0.5B-Instruct-GGUF/blob/main/Qwen2.5-0.5B-Instruct-Q5_K_M.gguf): A model with 500M parameters, making it +three times smaller than its 1.5B counterpart, yet still highly capable for many tasks. + + +### Project Structure + +The project is organized as follows: + + sentiment_analysis/ + ├── config.py + ├── data_loader.py + ├── data/ + │ ├── sampled_dataset.csv + ├── predictions/ + │ ├── this folder contains text file of all predictions from model inference + ├── plots/ + │ ├─ this folder contains plots for each prompting step + ├── Qwen_sentiment_analysis.ipynb + ├── requirements.txt + ├── README.md + +1. config.py: Contains configurations such as directory paths and dataset locations. + +2. data_loader.py : Contains code for dataset sampling. + +3. data/: Directory containing the dataset sampled and used in the project. + +4. predictions/: contains 8 text files consisting of model predictions for each step. + +5. plots/: contains 4 plots for average model accuracies across 3 runs per temperature [0,1,2] for each model based on the 4 prompting steps. + +6. Qwen_sentiment_analysis.ipynb: The Jupyter notebook containing the analysis and model-building code. + + +### Installation + +To run this project, follow the steps below: + +1. Clone the Project: Download the project as a zip file or clone it. + +2. Set Up the Environment: Install the required Python packages using pip: + +```python +pip install -r requirements.txt +``` + +### Usage + +### Setting Up a Virtual Environment and Installing Dependencies + +To run this project in a local Jupyter Notebook, follow these steps: + +1. **Clone the repository**: + ```bash + git clone https://github.com/zarakokolagar/sentiment_analysis_LLM + cd sentiment_analysis_LLM + +## Setting Up a Virtual Environment and Running the Project + +Follow these steps to set up a virtual environment and run the Jupyter Notebook locally: + +#### 1. Install `virtualenv` (if not already installed) + +If you don’t have `virtualenv` installed, you can install it using: + +```bash +pip install virtualenv +``` + +#### 2. Create a virtual environment +Create a virtual environment by running the following command: +```bash +virtualenv venv +``` +#### 3. Activate the virtual environment +On macOS/Linux: + +```bash +source venv/bin/activate +``` +#### 4. Install the required dependencies +With the virtual environment activated, install the dependencies listed in the `requirements.txt` file + +```bash +pip install -r requirements.txt +``` + +#### 5. Run Jupyter Notebook +If you don’t have Jupyter Notebook installed, you can install it with: +```bash +pip install notebook +``` +Then, start Jupyter Notebook by running: + +```bash +jupyter notebook +``` + +#### 6. Deactivate the virtual environment +Once you're done working, deactivate the virtual environment by running: + +```bash +deactivate +``` + +**Note:** + +Alternatively, you could run the notebook on [Colab Notebook](https://colab.research.google.com/drive/1UWiUKyRz0HgGtB_frLV6Kl0MMb7J25Kg#scrollTo=ihomXxB4Svsk&uniqifier=1) +If you are running the code from Google colab, all required libraries and data handling is included in the colab code. + + + +## License + +Not required \ No newline at end of file diff --git a/config.py b/config.py new file mode 100644 index 0000000..a80f556 --- /dev/null +++ b/config.py @@ -0,0 +1,16 @@ +import os + +# Define the base directory for the project +BASE_DIR = os.path.dirname(os.path.abspath(__file__)) + +# Define the data directory +DATA_DIR = os.path.join(BASE_DIR, 'data') + +#Define predictions directory +PRED_DIR = os.path.join(BASE_DIR, 'predictions') + +#define plot directory for predictions +PLOT_DIR = os.path.join(BASE_DIR, 'plots') +os.makedirs(PLOT_DIR, exist_ok=True) + +SAMPLED_DATA_PATH = os.path.join(DATA_DIR,'sampled_dataset.tsv') diff --git a/data/sampled_dataset.tsv b/data/sampled_dataset.tsv new file mode 100644 index 0000000..1d6370c --- /dev/null +++ b/data/sampled_dataset.tsv @@ -0,0 +1,1001 @@ +review label textblob_predicted_label +I saw this film on TV many years ago and I saw this film when I got this on tape. I thought that this was reasonably well done. It was not the best of all movies, but it was good enough. The movie has enough talent to inspire many people, especially younger kids. The acting was good, with Danny Glover leading the cast. The plot line was not very believable, but the script was well written. This movie can also be the interest of avid baseball fans. It does not directly apply to a action-packed sports movie. It directly applies to a nice film that you can watch with your family and learn some messages that are hidden in this film. Overall, the film was good, but not great. I give this a movie a 7/10. positive positive +If you had asked me how the movie was throughout the film, I would have told you it was great! However, I left the theatre feeling unsatisfied. After thinking a little about it, I believe the problem was the pace of the ending. I feel that the majority of the movie moved kind of slow, and then the ending developed very fast. So, I would say the ending left me disappointed.

I thought that the characters were well developed. Costner and Kutcher both portrayed their roles very well. Yes! Ashton Kutcher can act! Also, the different relationships between the characters seemed very real. Furthermore,I thought that the different plot lines were well developed. Overall, it was a good movie and I would recommend seeing it.

In conclusion: Good Characters, Great Plot, Poorly Written/Edited Ending. Still, Go See It!!! positive positive +Another one of those films you hear about from friends (...or read about on IMDb). Not many false notes in this one. I could see just about everything here actually happening to a young girl fleeing from a dead-end home town in Tennessee to Florida, with all her worldly possessions in an old beaten-up car.

The heroine, Ruby, makes some false starts, but learns from them. I found myself wondering why, why didn't she lean a bit more on Mike's shoulder, but...she has her reasons, as it turns out.

Just a fine film. The only thing I don't much like about it, I think, is the title. positive positive +I have to admit I had never heard of this movie. I caught it last night on TMC. I thought it was hysterical. I laughed so hard and loved the ending. Image what a Marx brothers movie would like if they collaborated with Salvadore Dali and Malcolmn X and then all dropped LSD.

Funny and edgy are two overused words these days, this movie sure has that plus about 200 IQ points of most comedies today and surrealistic to boot. I had to be up at 6:00 am and watched it until 2:30. I over slept and missed my obligations. Still worth it. I would not recommend renting it, I would recommend owning it. It was that good.

The only warning I have is that so of the references are dated and might not be gotten by younger people. Bare with it and use your head.

I would have to put it in my top comedies of all time. positive positive +This is an excellent Anderson production worth comparing with the best episodes of UFO or SPACE 1999 (first series). Of course it isn't some SFX extravaganza or Star Wars pseudo-mystic tripe fest, but a subtle movie that has a slow pace, yet it conveys the creepy, eerie and uncanny atmosphere of the best Anderson productions: for lovers of 'cerebral' sci-fi. Lynn Loring's voice is ABSOLUTELY AWFUL. SFX are good for this kind of product and acting is good as well. Two astronauts visit a planet on the opposite side of the sun but crash land home instead...or do they? Ah, videophones! Every now and then peddled as the next 'everyone's gadget next decade' but still to happen 40 years later. The device of Earth's twin planet on the opposite side of the sun also returns in Gamera tai daiakuju Giron (1969), so who copied whom? positive positive +I have no read the novel on which 'The Kite Runner' is based. My wife and daughter, who did, thought the movie fell a long way short of the book, and I'm prepared to take their word for it. But, on its own, the movie is good -- not great but good. How accurately does it portray the havoc created by the Soviet invasion of Afghanistan? How convincingly does it show the intolerant Taliban regime that followed? I'd rate it C+ on the first and B+ on the second. The human story, the Afghan-American who returned to the country to rescue the son of his childhood playmate, is well done but it is on this count particularly that I'm told the book was far more convincing than the movie. The most exciting part of the film, however -- the kite contests in Kabul and, later, a mini-contest in California -- cannot have been equaled by the book. I'd wager money on that. positive positive +Why am I so convinced there's actually another film version of this novel out there somewhere? I saw the film again this year as I am teaching the novel and find the changes in the film annoying - there is no appearance of the little boy in the novel and the ending has been changed. They kill him off in the film but the whole point is that he is haunted by the events at Eel Marsh House for many years but does remarry and eventually put the events behind him. Mr. Bentley is a far more sympathetic character in the novel, the scene in the film where Kipps sets fire to the office is plain daft, and the constant appearance of the toy soldier to signify the presence of the child is genuinely creepy but pointless - Kipps is haunted by the woman seeking revenge, not the child. I am sure I've seen a film which is better and closer to the novel and actually scarier. Have I just imagined this? positive positive +Perhaps this movie is a little too long, but it still has some charm 45 years later. The main roles seem more appropriate for Clark Gable and Vivien Leigh. I could care less about Gary Cooper, but Ingrid Bergman is fine, particularly in dark hair. The movie is worth seeing for the supporting cast: Flora Robson is terrific as a mulatto servant. She is a white woman in blackface, and can have an expression of evil or of a voodoo mistress. Jerry Austin as a servant dwarf has a delightful role, that keeps you chuckling despite some overlong scenes. Speaking of scenes, Florence Bates steals most of the ones she is in as a dowager social lady. I didn't understand the outcome of the railroad fight at the end of the movie, and the last scene was pure Hollywood dreck. It's an odd feeling when you realize the film title refers to a railroad rather than a piece of luggage! positive positive +A vampire prince falls for a human girl, unaware that her brother is a famous vampire hunter. That's the underlying theme of this martial arts romp which borrows ideas from 'Underworld' and 'Buffy The Vampire Slayer' but manages to maintain a style of its own. I was bemused by the UK and Hong Kong title 'The Twins Effect' as there are no twins involved in the story. It turns out that the two main female characters are played by Hong Kong pop stars who perform as 'The Twins'. Don't let this put you off. These girls can act (at least well enough for this type of film) and add a lot of charm to the proceedings. Jackie Chan turns up for a couple of cameo appearances adding a dash of his own brand of slapstick mayhem to the proceedings. All in all this is great fun for those who like their vampires served up with a helping of tongue-in-cheek humour. positive positive +Fellowe's drama about a couple's marriage which is threatened by a younger third party which interests the wife of the house (Watson). Wilkinson plays the role very well as the troubled husband who cant control his wife's cheating, and deals with the issue. I also like Rupert everett a lot in his role as William Bule, the man that Watson has the affair with. Although i think Emily Watson is a great actress, i had a bit of a problem with the way her character was written, did not make her too likable (i know a cheater is not supposed to be likable, but some of her actions and things she did had no reasoning behind them). The screenplay was perhaps the weak part of this drama, although Fellowes' direction was good and the performances were also quite good. This film is better than Unfaithful, but not a masterpiece by any means. ---IMDB Rating: 6.7, my rating: 8/10 positive positive +Finally a true horror movie. This is the first time in years that I had to cover my eyes. I am a horror buff and I recommend this movie but it is quite gory. I am not a big wrestling fan but Kane really pulled the whole monster thing off. I have to admit that I didn't want to see this movie, my 17 year old dragged me to it, but am very glad I did. During and after the movie I was looking over my shoulder. I have to agree with others about the whole remake horror movies enough is enough. I think that is why this movie is getting some good reviews. It is a refreshing change and takes you back to The Texas Chainsaw ( first one), Michael Myers, and Jason. And no CGI crap. positive positive +What a movie! It has undeniably entertaining subject matter (unless you're a prude) and a mature, funny, and complex script from Paul Thomas Anderson (Magnolia, Hard Eight). PT Anderson will undoubtably be around for some time. The evidence is here in this epic and ambitious masterpiece. Every character is expertly played and touching and fully-shaped. From Burt Reynolds as Jack Horner (the director) to Julianne Moore (his movie-star) and Mark Whalberg (as Dirk Diggler) they all are fabulous. And the story? WOW! Honest look at business and failure and consequences and family. One of the best movies of all time! i give it a >>>>>>>>>>>>>>>>>>>A+ positive positive +its been years since i have seen these shows. i have been searching years for anyone else that has seen these or know anything about them. i thought i made them up. the one i remember most is the soldier and death. i'd ask movie fanatics if they had seen these, mentioning its a Jim Henson and people still didn't know. these are great fables. i was very young when i was these, not even 10 and it left a lasting impression on my life and beliefs. i would recommend anyone to watch these, just remember they are from the 80's so they don't look like the movies today. just give them a shot. Jim Henson was way ahead of his time and died to early. positive positive +This movie does a great job of explaining the problems that we faced and the fears that we had before we put man into space. As a history of space flight, it is still used today in classrooms that can get one of the rare prints of it. Disney has shown it on 'Vault Disney' and I wish they would do so again. positive positive +If you are among the IMDB audience that put High Fidelity in the all-time top 200, then this movie probably is NOT for you. This film is as unhip as Steve Frears is self-consciously hip. Renee Zellweger is excellent as a hip urbane magazine writer who returns to her suburban Bucks County nest in order to care for mother Streep (who delivers yet another hall-of-fame performance). William Hurt is ideally cast and the feckless, faithless, and egotistical husband. If this movie doesn't move you to cry and laugh, then you are much too hip to enjoy it. positive positive +With Harry Callahan getting up in years, the inevitable `old man with a chip on his shoulder' story had to come into play eventually. Callahan, looking fragile sometimes and out of place, his demeanor still was unwavering. Thankfully, this film took some time off to develop a different type of story, one that might reinvent the Dirty Harry and the whole genre. While the film fell short in doing so, it was still an excellent addition to the series, even if it was getting a little out of place during a time of silly fashion trends and New Wave music. positive positive +Did Sandra (yes, she must have) know we would still be here for her some nine years later?

See it if you haven't, again if you have; see her live while you can. positive positive +'In April 1946, the University of Chicago agreed to operate Argonne National Laboratory, with an association of Midwestern universities offering to sponsor the research. Argonne thereby became the first 'national' laboratory. It did not, however, remain at its original location in the Argonne forest. In 1947, it moved farther west from the 'Windy City' to a new site on Illinois farmland. When Alvin Weinberg visited Argonne's director, Walter Zinn, in 1947, he asked him what kind of reactor was to be built at the new site. When Zinn described a heavy-water reactor operating at one-tenth the power of the Materials Testing Reactor under design at Oak Ridge, Weinberg joked it would be simpler if Zinn took the Oak Ridge design and operated the Materials Testing Reactor at one-tenth capacity. The joke proved unintentionally prophetic.'

The S-50 plant used convection to separate the isotopes in thousands of tall columns. It was built next to the K-25 power plant, which provided the necessary steam. Much less efficient than K-25, the S-50 plant was torn down after the war.

Concerned that the Atomic Energy Commission research program might become too academic, Lilienthal established a committee of industrial advisers, and during a November visit to Oak Ridge, he discussed with Clark Center, manager of Carbide & Carbon, a subsidiary of Union Carbide Corporation at Oak Ridge, the possibility of the company assuming management of the Laboratory.

Prince Henry (of Prussia) Arriving in Washington and Visiting the German Embassy (1902). Evidently, with Prince Henry of Prussia according to the principles of science and its dangers their were already concerns with the applications of new science with military applications. The Hohenzollern (1902/II), 'Kaiser Wilhelm's splendid yacht at the 34th St. Pier, New York. Taken at the exact moment of Prince Henry's arrival, and the raising of the royal standard.' If Royalty knew of these necessary precautions to citizen welfare then what was the necessity of the warfare WWI and WWII. The quality of management control I presume?

Thus, did the commandos of Operation Swallow volunteer for a military mission, or a business plan, based on the security principles of Laboratory management? Because supposedly their were no survivors, and the ones who were caught in Europe ordered to be executed. Of the 400 man commando team the survivors who were captured were executed under orders of the German Army against subversion, and espionage acts of the State of Germany.

The Führer No. 003830/42 g. Kdos. OKW/WFSt, Führer HQ, 18 Oct. 1942, (signed) Adolph Hitler; Translation of Document no. 498-PS, Office of U.S. Chief of Counsel, certified true copy Kipp Major, declassified DOD 5200.30 March 23, 1983, reproduced at the U.S. National Archives.

The OSS Society® 6723 Whittier Ave., 200 McLean, VA 22101 positive positive +THE ITALIAN is an astonishingly accomplished film for its time. Stunningly shot, with lighting effects that are truly sublime, this is an early gem that clearly reveals REGINALD BARKER to be a pioneer director of equal standing to D.W. GRIFFITH and MAURICE TOURNEUR. How much control Thomas Ince exerted over the production is hard to know, but this film still has extraordinary power. The simple story of an Italian immigrant struggling to keep his family alive in New York, is very moving. The themes of social injustice, revenge and forgiveness are completely relevant today. The use of close-ups is outstanding and the powerhouse performance of GEORGE BEBAN is electrifying. What we need now is a really good print transferred to DVD so we can truly appreciate this early masterpiece of cinema. positive positive +Saw this my last day at the festival, and was glad I stuck around that extra couple of days. Poetic, moving, and most surprisingly, funny, in it's own strange way. It's so rare to see directors working in this style who are able to find true strangeness and humor in a hyper-realistic world, without seeming precious, or upsetting the balance. Manages to seem both improvised, yet completely controlled. It I hesitate to make comparisons, because these filmmakers have really digested their influences (Cassavetes, Malick, Loach, Altman...the usual suspects) and found their own unique style, but if you like modern directors in this tradition (Lynne Ramsay, David Gordon Greene), you're in for a real treat. This is a wonderful film, and I hope more people get to see it. If this film plays in a festival in your city, go! go! go! positive positive +I bought this while I was playing chess in Hastings. I am from Denmark though. It is very good. Definitely with an understanding of the horror genre. The monster towards the end is very scary. People who criticise this on IMDB should recall that it was a huge succes among serious horror critics.

positive positive +Holes is a wonderful film to see. It has good messages in in, such as: be a good friend, never give up, etc. I highly recommend it to anyone. I still say the book is better than the movie, but the movie gives the book a run for its money. Also, Khleo Thomas plays Zero. That really adds to it!!!! Lol!!! positive positive +The first collaboration between Schoedsack & Cooper is a compelling documentary on the migration of the Bakhtiari tribe of Persia. Twice a year, more than 50,000 people and half a million animals cross rivers and mountains to get to pasture. You'll feel like a pampered weakling after watching these people herd their animals through ice cold water and walk barefoot through the snow to cross the mountains while trying to get their animals to walk along steep and narrow mountain paths. positive positive +I'm certain that people from USA don't know anything about the rest of the world, but I think they mustn't talk about what they don't know. And they must remember that the rest of the world is not as hypocrite as the USA. The only places where consented sex between teenagers are illegal are the USA and Islamic nations. In France, for instance, the age of consent is 15. In Brazil it's 14. In Spain it's 12. So the teenagers actors, 16 and 17 years old by the time of production, aren't doing anything illegal. Nudity isn't considered big deal in almost all civilized countries. And only a freak could consider a teenagers' love as child molestation. positive positive +Dan Burgess is a nice guy. He happens to be a Christian. Dan can't get a date with a girl and thinks that all of his friends are having all of the fun. He is constantly being bothered by non-believers and being made fun of.

Dan prays one night, and wishes he was never a believer in Jesus.

His prayer is answered for one day. Things get hairy from there. An angel appears to Dan and explains his prayer is granted.

So, all of the impact that Dan has had on starting a Christian club.

He be-friends Scot Parks and making a difference, is erased for one day.

Dan's eyes are opened. His life really did make a difference. positive positive +This story takes place in Wisconsin. I was half heartedly watching my tape when I heard the name Appleton. I wasn't sure where it was taking place until I heard them say Green Bay & then I figured it was Wisconsin. Watching further confirmed it.

Anxiously awaiting the outcome I could really feel Corrine's frustration. I did not know it was based on fact until the end. It left me glad but sad and wanting to know more. positive positive +I've watched this movie a number of times, and found it to be very good. This movie is also known as 'Castle Of Terror', 'Coffin Of Terror', and 'Dance Macabre'. Barbara Steele, is her usual beautiful/creepy self. George Riviere, the male lead, does a good job with his role. The whole movie is dripping with atmosphere, and there is a good deal of tension throughout. The camera angles are good and the acting, for the most part, isn't bad. This film is quite suitable for a rainy day or evening. I have the DVD uncut version, which is far superior to the edited TV version. Grab some popcorn, turn out the lights, settle back and enjoy. John R. Tracy positive positive +This was one of my favorites as a child. My family had the 8-track tape soundtrack!! It took us years (until I was in my 20s) for us to get a video of the movie (my dad taped it from HBO or something). Every summer when we go to the beach (my mom, brother, sister and I) we lay on the beach and sing all the songs from this movie!!! LOVED IT!!! positive positive +A longtime fan of Bette Midler, I must say her recorded live concerts are my favorites. Bette thrills us with her jokes and brings us to tears with her ballads. A literal rainbow of emotion and talent, Bette shows us her best from her solid repertoire, as well as new songs from the 'Bette of Roses' album. Spanning generations of people she offers something for everyone. The one and only Divine Diva proves here that she is the most intensely talented performer around. positive positive +Kurt Russell is at his best as the man who lives off his past glories, Reno Hightower. Robin Williams is his polar opposite in a rare low key performance as Jack Dundee. He dropped the Big Pass in more ways than one.

You'll see some of the most quotable scenes ever put into one film, as Jack hisses at a rat, Reno poses, and the call of the caribou goes out.

Don't miss this classic that isn't scared to show football in the mud the way it should be played (note to the NFL). positive positive +I'm Egyptian. I have a green card. I have been living in the US since 1991. I have a very common Arabic name. I'm married (non-American but non-Egyptian, non-Arab wife). I have children who are born in the US. I have a PhD in Cell Biology from the US and I travel for conferences. I make 6 figure income and I own a home in the Washington, DC area. I pay my taxes and outside 1 or 2 parking tickets I have no blemish on my record since I came to this country in 1991. I look more Egyptian than the Ibrahimi character but my spoken English is as good as his.

A couple of months ago I was returning from a conference/company business in Spain through Munich Germany to Washington, DC (Home). I was picked up in Munich airport by a German officer as soon as I got off the Madrid plane. He was waiting for me. He was about to start interrogating me until I simply told him 'I have no business in Germany, I'm just passing through'. He had let me go with the utmost disappointment. That was nothing compared to what happened at Washington, Dulles airport (Which was not nearly as bad as what happened to Ibrahimi in the movie). The customs officer asked me a couple of questions about the length and purpose of my trip. He then wrote a letter C on my custom declaration form and let me go. After I picked up my checked bag I was stopped at the last exit point (Some Homeland Security crap). I sat there for 3 hours along with many different people of many different nationalities. I was not told the reason for my detainment. I was not allowed to use my phone or ANY other phone. I was feisty at first asking to be told of the reason or let me go but decided to suck it up and just wait and see. I asked if I can call my wife to tell her that I'm going to be late but was told no. When I tried to use my phone and as soon as my wife said 'hello', an officer yanked the phone out of hand and threatened me to confiscate it. When I asked about needing to call home because my family is waiting, they said 'Three hours is nothing, we will make contact after 5 hours'. When I asked to use the bathroom, an officer accompanied me there. It toilet was funny; I guess it was a prison style toilet that is all metal with no toilet seat. Finally, they called my name and gave me my passport/green card and said you can go. I asked what the problem was, they said 'nothing'!! I know it was only 3 hours but I was dead tired and wanted to go home to see my wife and kids.

As for the movie, it was very well made. Unlike most movies that involve Arabs and use non-Arab actors who just speak gibberish, this movie the Arabic was 100% correct. I assume the country is Morocco (North Africa). positive positive +Just before dawn is an underrated horror film from the early eighties. I haven't seen it in years but it had a great impact when I watched it, quite original for its day, the only problem is that it has not been released on video or dvd for years. If you like horror I urge you to check this little gem out!! positive positive +I thought this was a quiet good movie. It was fun to watch it. What I liked best where the 'Outtakes' at the end of the movie. They were GREAT. positive positive +Golden Boy is ecchi humor (bordering on hentai) in the guise of 'educational moments.' The main character, Kintaro, wanders around getting himself into the silliest situations involving women... It's just that he's shy on the surface but analyses everything until he can learn something from it. The most striking feature of the series are the circumstances surrounding his 'education', which are outright embarrassing, yet funny at the same time. positive positive +Millions in gold is traveling by train to the US treasury. Traveling along is Lois Lane to report on it. Along the way the train is attacked by masked thieves. They detach the car with the armed guards in it and attack the remaining ones. This leads to a vicious fight between the remaining guards and the thieves. The thieves overpower them but then Lois Lane jumps in. She beats the thieves off the train (at one point using a gun) but the train starts to careen out of control. Lois can't stop it and the thieves will stop at nothing to get the gold. Good thing Superman is on the way!

Fast, exciting, non-stop action. Probably one of the best of all the cartoons. Just great. positive positive +Until I saw this special on HBO, I had never heard of Eddie Izzard. I sure am glad that I have now! He is one of the funniest comedians I have ever seen! Rarely has a comedian immersed himself so completely in his craft then Eddie. I could not stop laughing for the entire show. If you like to laugh you HAVE to see this special! positive positive +This show is awesome! and I've seen it about 6 times.

Granted it may be lacking in educational content as some people like those sort of movies, but I think it's great, very funny and excellently written! positive positive +When I saw this on TV I was nervous...whats if they messed it up? Millions of families like mine that live with a brain damaged man, in my case my Dad, would be let down. I watched it with my Mum and we both ended up crying, it was so accurate and captured how the family feels as well as the person having suffered the brain injury. The actors were all wonderful and I had no complaints, my Mums told me she hasn't been able to stop thinking about it. I hope this program made many people aware of what it's like living with brain damage and what it's like for the families. More programs like this should be made, I was surprised at how good it was and it's really shook me up emotionally. positive positive +Seriously, I don´t really get why people here are bashing it. I mean,

the idea of a killer snowman wreaking havoc on a tropical island paradise is pretty absurd. The good news is, the producers realized it and made it a comedy in the vein of Army of Darkness.

Especially in the second half of the film, when the little killer snowballs attack, I laughed my ass off. For example, the put one of the little creeps into a blender (a la Gremlins 1) and mix it. After that, it morphs back into a snowball and squeals with a high pitched voice 'That was fun!'.

Bottom line - incredible movie, rent it. positive positive +I have to say I quite enjoyed Soldier. Russell was very good as this trained psychopath rediscovering his humanity. Very watchable and nowhere near as bad as I'd been led to believe. Yes it has problems but provides its share of entertainment. positive positive +Very intelligent language usage of Ali, which you musn't miss! In one word: (eeh sentence...) Wicked, so keep it real and pass it on! positive positive +Spoiler This movie is about such a concept. Williams will go to any low in order to replay the football game that haunts his life. Russel plays the ex jock who peaked in high school. Finally the under dog get its shot, and Williams can save face, instead of being the clown. A great reverse tragedy. 7/10 positive positive +This has got to be the best movie I've seen. You definately have to watch it more than once to find all of the humor and twists. I'm no fan of George Clooney, but he shines here. The real performance comes from Tim Blake Nelson and John Turturro as Pete and Delmar. One of the few movies that I own. positive positive +'The Kennel Murder Case' starts off at a run and doesn't stop until the very end. Everybody had reason to kill the victim, and several people tried. William Powell is terrific as Philo Vance, gentleman detective. Mary Astor is refreshing as the put-upon niece who only wants to marry her Scottish gentleman and enjoy her inheritance. This movie comes paired with 'Nancy Drew, Reporter' on DVD, which is also fun. If you have to rent the disc (or check it out from your local library), do it. It's pure entertainment! positive positive +'Foxes' is one movie I remember for it's portrayal of teenagers in the late 1970's. As I am exactly Jodie Foster's age, I related to this movie. It deals with the frustrations, temptations, relationships & rebellion of youth. The soundtrack is great with inspiring rock eg. 'More Than a Feeling' by Boston and sad numbers like 'On the Radio' by Donna Summer. The music of my late teens. Yep, I'll always remember this one, even if it wasn't huge. positive positive +To quote Flik, that was my reaction exactly: Wow...you're perfect! This is the best movie! I think I can even say it's become my favorite movie ever, even. Wow. I tell you what, wow. positive positive +The film notes describe the main role family, as Turkish immigrants which living in Denmark. However, it is so clear to understand that the fact is, the behavior and the culture point the family is absolute Kurdish. Similar social pressures and even cultural murders keep going on Turkey today on Kurdish ethnicity societies. What a worry...

It is widely accepted issue in Turkey today, the Kurdish immigrants living in European Countries today, which have moved from Turkey at 70's are culturally connected to the feudal moral laws system, by growing daughters and women under pressure, are giving harm to the Turkish International Image. Also, as same as widely accepted another issue is the Turkish or Kurdish immigrants on these countries are the reason negative aim about the Community Europe Nominee. positive positive +Galaxy Express 999 (Ginga tetsudô Three-Nine). Made in 1979. Directed by Rintaro. Based on the original work by Leiji Matsumoto.

What little I know of the history of GALAXY EXPRESS 999, it was first published as a popular manga in 1970's and was created by Leiji Matsumoto. GE999 is set in the same Star Wars-type of space universe as Matsumoto's other famous space manga: CAPTAIN HARLOCK. In fact space pirate Harlock and other characters from that manga (including Queen Emeraldas and Tochirô Oyama) make appearances in GE999. GE999 was a success as a manga and was soon followed by also popular anime series which included over 100 episodes. It was aired in 1978. A year later came this anime film, which isn't a sequel to the series, but summaries the main points of the story in two hours long movie.

The story is set in unidentified Star Wars-type of future where journeying to different planets has become a possibility. People of the future can have themselves mechanical bodies in which they can live hundreds of years, maybe even forever. The protagonist, Tetsurô Hoshino, is a young boy who witnesses how a cruel Count Mecha, whose entire body is made of mechanical parts, kills Tetsurô's mother. Tetsurô swears revenge and is convinced that he can only achieve it by having a mechanical body. To obtain it he must travel to a far-away planet with space train Galaxy Express 999. However, since Tetsurô comes from poverty, he has no money to obtain the expensive ticket. By a chance coincidence he meets a beautiful young woman, Maetel, who bears a resemblance to his dead mother. Maetel offers a ticket for Tetsurô on a condition that she accompanies him on his journey. And so the journey begins…

I first saw this film last October, about six months from now, and again yesterday. I feel that I must first tell about the thing that bothered me the most in this film: it seems very rushed. Then again what can you expect from 2 hours long movie that tries to tell the main points of over 100 episodes long series? Whatever the case, the situations change with a fast speed and Tetsurô meets other important characters in the story mostly by pure chance. I feel makers should have either left something out or include extra 30 minutes.

However, there's no arguing that GE999 has deserved its place as an anime classic. The animation itself, very faithful to the style of Matsumoto's manga, is detailed and beautiful to watch. Even after almost 30 years of its release the animation has not become 'out of date' but puts many later anime films in shame. The music through out the film is enjoyable to listen even if somewhat 'old' these day (it was the 70's after all). I have not heard any English dub of this film so I can only comment the Japanese audio which is good. Voice actors give life to their characters, most memorable ones being Masako Nozawa (mainly known as the voice of Goku through out the entire Dragon Ball saga) as the excited and young Tetsurô, and Masako Ikeda as the calm and mysterious Maetel. The supporting characters are not left in shadows, but also have a life of their own, most memorable to me being waitress Claire.

The story itself is suitable for both those who are looking for an entertainment for couple of hours, as well as for those who try to find deeper messages. GE999 is an entertaining adventure film but can also be seen as Tetsurô's journey from boyhood to manhood. The whole film is told from his point of view, so we are forced to feel what he feels. I think many people can relate to Tetsurô, for despite the fantasy elements, he is a very realistic character: young, hot headed, awkward and naive. We follow him as he starts to see differences between humans and machines and come to conclusion whether he wants the mechanical body or not. Maetel on the other hand stays as a mystery in the film and even in the end, when she reveals who and what she really is, it doesn't much answer to anything. Maetel can be seen as a dream of a growing young man, always close but just out of reach.

It's is the strange yet beautiful relationship between Tetsurô and Maetel that still awakes talking and questions, and fascinates after the decades. People have argued if their relationship is that of a two friends, of mother and son, or of two possible lovers (which wakes a lot of critique since Maetel's age is unknown and Tetsurô hasn't even reached his puberty yet). Without any means to sound deep, I think the best term to describe them is 'soul mates'. There is no question that the two feel devotion, caring and love for each others, yet it goes beyond that of friendship, family and lovers. I think that if their relationship would be stuffed in any of those categories, it would take something out of the whole film and of the characters. The ending scene, even if you already know what is going to happen, is still very touching and memorable.

All in all, despite the rushing of plot and some corny scenes, GALAXY EXPRESS 999 holds its place as an anime classic amongst the films like Katsuhiro Otomo's AKIRA (1988) and Mamoru Oshii's GHOST IN THE SHELL (1995). The film is directed by Rintaro, who had previous experience of Leiji Matsumoto's works as he had worked in CAPTAIN HARLOCK series. Later Rinatro directed a wonderful looking METROPOLIS (2001) that also questions the difference between humans and machines.

GALAXY EXPRESS 999 (1979) is a classic that should be seen at least once by every anime fan. positive positive +When an orphanage manager goes on vacation, his father takes over the details of the center and winds up renting the kids. When a well off, got it made couple with a nice apartment and great life get the notion to adopt this idea was tailor made for them. Why would they want to spoil their elegant existence with a trio of hairbrained carpet creepers? No way would people like these two need kids to make life wonderful. This movie makes it look like the real world works this way, but I am the picture of dubiety. positive positive +This is an EXCELLENT example of early Bette Davis talent. The production is above average for 1936 timeframe. I cannot understand why the owners of the rights to this film have not put it on DVD. Owners, PLEASE PLEASE release it. I would buy it immediately. I have not seen it in more than thirty years, on television, but remember it well. positive positive +Thomas Capano was not Anne Marie's boss Tom Carper, the Governor was. That is the reason the Feds became involved, he called Clinton and asked him to get the Feds involved in the case. I lived outside of Philadelphia at the time so the case was front page news every day. I also read Ann Rule's book and saw the 'City Confidential' segment on A&E. Tom Capano was a megalomanic(sp.), an uber-controller and a monster. He claimed to love Ann Marie but all he wanted was someone that he could control. When she wouldn't let him do that anymore he killed her, the ultimate form of control. I think it's a waste of money that he is still alive. positive positive +Strangely, this version of OPEN YOUR EYES is more mature and more nuanced. Aided by hindsight, Crowe's screenplay is a lot tighter and more fleshed out than Amenabar's original. The Spanish filmmaker should get credit for thinking of the story first, but there's no doubt that Crowe has improved on it -- if just slightly. Notice that you have no idea what the lead did in OPEN YOUR EYES, but you know almost everything about the lead in VANILLA SKY. That's what i mean by more 'fleshed out.' positive positive +I would never have thought I would almost cry viewing one minute excerpted from a 1920 black and white movie without sound. Thanks to Martin Scorsese I did (the movie was from F. Borzage). You will start to understand (if it's not already the case), what makes a good movie. positive positive +Of course this came out right at the beginning of the 1980s. Of course it did. Those drama students dancing in the street to Irene Cara's famous theme song, it's an indelible eighties leg-warmer style image. But there's more to the film than that. There's deprivation, and one man's struggle to learn to read, and a struggle with sexuality, and an attack on a child, and one girl tricked into taking topless photographs, and contemplation of suicide. In the end, though, it is also about that song. positive positive +A quite easy to watch tale of 2 thieves, with that love/hate type relationship between them. Chrisopher Walken stars and is very good as the silent rogue with a scam bigger than he's letting on. positive positive +Great film from the late 1970's. Says much about corporate corruption at the expense of the common person, so that the powerful can gain gain huge profits and disregard the environment and safety of others.

Nearly 30 years later this film is compelling about the power of certain corporate entities that since the films release have gained ten fold in their ability to control; It shows the need for regulation of the public against powerful business interests whose primary goal is profit.

Jack Lemmon is brilliant- while Jane Fonda and Micheal Douglas are as equally compelling in their roles. The frivolous 70s where damned for much, this film redeems the decade.

A film that becomes better after each watching. positive positive +I am a 20 year old bloke from England. I don't cry at films. But this one moved me. I cried like a girl! This is absolutely the most moving film I have ever seen, even though the story was questionable. Joseph Mazello's little face when he dreams of crying made me sob every time. How could anyone hurt such a sweet looking kid? I'm going to cry now just thinking about it! Remarkable. positive positive +An excellent 'sleeper' of a movie about the search for Carlos the international assassin. Am surprised this film didn't rake in $100-million-plus because it's much better than most films that do so. Rent it NOW. positive positive +Several stowaways get on a Russian ship bound for France. They were going to get off there and make new lives for themselves. After being discovered by the First Mate and his henchmen, they were held captive. Then things got very bad for them. Good show based on a true story. positive positive +My wife and I have watched this movie twice. Both of us used to be in the Military. Besides being funny as hell, it offers a very realistic view of life in the Navy from the perspective of A Navy enlisted man, and tells it 'like it really is'. We're adding this movie to our permanent collection ! positive positive +Drew Barrymore gets second chance at high school, on undercover assignment as newspaper reporter. In flashbacks, we see that the first time around was, to put it mildly, a major disaster. David Arquette is amusing in modest role as Drew's brother, who also enrolls to help out sis. Lots of subplots endanger but never overwhelm simple charm of movie. Drew keeps making her niche as major innocent-sexy light comic actress. positive positive +WOW, finally Jim Carrey has returned from the died. This movie had me laughing and crying. It also sends a message that we should all know and learn from. Jeniffer Aniston was great, she will finally have a hit movie under her belt. If you liked liar liar you will love this movie. I give it 9/10. positive positive +Whether this movie is propaganda or not (I firmly believe it is not), it really shows the power of Media. The importance of this documentary is not to show how good of a man Chavez is. It is really to demonstrate the way the Bolivarians saw how it happened, the Chavez way of seeing it. Although it may seem wrong and bias to support a film , I think the point of view shown in the movie is utterly legitimate. The Venezuelian people via the private media corporation of Venezuela only saw a one side perspective of the coup, the Neo-Liberal side. This movie shows us the way the Bolivarians saw it . Call it propaganda , I say it's a judgment call on your part. positive positive +I love the movie. It brought me back to the best time of my life.

We need that time again, now more than ever. For me it was a time of freedom, learning, and finding myself. I will always miss it. There will never be another time like the 60's, unfortunately. positive positive +In 1948 this was my all-time favorite movie. Betty Grable's costumes were so ravishing that I wanted to grow up to be her and dress like that. Douglas Fairbanks, Jr., was irresistible as the dashing Hungarian officer. Silly and fluffy as this movie might appear at first, when I was eight years old it seemed to me to say something important about relations between men and women. I saw it again the other day; I was surprised to find that it still did. positive positive +Simply put, there are two parts of this series that made me cry till my eyes fell out. First: The part where he was set to wash the toilet, but ended up drinking the toilet water while imagining it was the hot director giving him a golden shower!!! (I laughed so hard!)

Second: The part where he tried to prove worthy of a swimming school instructor. He seemed like a pro diving in, but as expected, he couldn't swim (proper at least^^). However the funny part of this was when he finally reached the end and said 'how was that' or something. That was so friggin hilarious, I couldn't stop laughing.

If you get the chance to see this anime series, I strongly recommend it. One of the best I've seen.

Definitely the funniest! positive positive +I just can't believe that these games can get so much better, but they do. Unfortunately I had to rent a Dreamcast to play it, but even though I did beat it I can't wait to buy it for PS2. This is the only series of games that I must own all of them even if I have beaten them many times over. I hope they never stop making this type of game even if the series must come to an end.

positive positive +As I watched this movie I began to feel very nostalgic. As a child growing up in a rural area I felt as if I was a kid again! The swimming pond (it's called a 'tank' in Central Texas), the running through the countryside like a wild free spirit! The story was very believable and I totally lost it and cried toward the end. Through the pain we go through in life...life goes on and there can be forgiveness. positive positive +This is one of those games where you love it to bits or hate it to shreds.Even being a hardcore Mario fan can make you dislike this game.You can hate it because it is 2 short and somewhat boring and easy.Or you can love it because it is a mixture of amazing graphics(not a Nintendo fan huge excitement) music or game play.I know a lot of people that say it is amazing,and others who think its the worst Mario ever.It really depends on the type of Nintendo fan you are.I personally love this game and I think it is the best wii game,but you should determine that for yourself.So I think you should absolutely get it if you are the right Nintendo fan.But If you love The classics too much,you may not like it.So try it out yourself. positive positive +Who knew? Dowdy Queen Victoria, the plump Monarch who was a virtual recluse for 40 years after the death of her husband, Prince Albert, actually led a life fraught with drama and intrigue in her younger days. 'The Young Victoria' not only chronicles the young Queen's romance with her husband-to-be but also does a pretty good job of detailing the political machinations surrounding her ascent to the throne.

The Act I 'set-up' draws you in right away. Following the death of Victoria's father, the Duke of Kent in 1820, less than a year after Victoria's birth, the Duchess of Kent eventually hooked up with former Army Officer John Conroy, who offered his services as comptroller to the widow and her infant queen-to-be. Conroy insisted that Victoria be raised under the atrocious 'Kensington system', rules designed to prevent the future Queen from having any contact with other children while growing up. What's more, Victoria was forced to sleep in her mother's bedroom everyday until she became Queen.

The film explains that in 1830 Parliament passed the Regency Act, which established that Victoria's mother would become regent (and hence Guardian) in the event that Victoria acceded to the throne while still a minor. During this time, the Duchess and Conroy tried to intimidate the hapless princess and insisted that she sign papers making Conroy her private secretary and treasurer. Strong-willed Victoria would have none of it, and refused to go along with Conroy's and her mother's nefarious plans. The Duchess disliked King William as she regarded him as a philanderer who brought disrespect to the Monarchy; the King felt the Duchess disrespected his wife. As a result, the Duchess attempted to limit Victoria's contact with the King. In an over-the-top scene which seemed to actually have occurred in history, the King berated the Duchess at his birthday banquet, stating that it was his goal to survive until Victoria reached her 18th birthday so that her mother would not become regent.

King William kept his word and died a short time after Victoria became eligible to accede to the throne. Victoria took revenge on her mother for her support of Conroy, whom she blamed for making her childhood so miserable. They were both banished to a secluded apartment in Buckingham Palace and for a number of years Victoria had little contact with her mother.

'The Young Victoria' conveys the excitement and pomp and circumstance surrounding Victoria's coronation as Queen. A good part of the film deals with Victoria's relationship with Lord Melbourne, the Whig Party Prime Minister who unfortunately is depicted in the film as much younger than he actually was. In the beginning Melbourne gains the young Queen's trust and they become good friends. In the early years of her reign, she sees Melbourne as a progressive, but later loses respect for him somewhat as he's revealed to be a typical politician, hiding his contempt for the masses whom he's supposed to be championing. In reality, Melbourne was more a father figure to Victoria, but the film hints at some sexual tension between the Prime Minister and Prince Albert, as though they were romantic rivals.

The plot thickens when Melbourne is forced out and the Queen must commission Sir Robert Peel, of the more conservative Tory party, as the new Prime Minister. The film chronicles the events of 'The Bedchamber Crisis' in which Peel resigned after Victoria refused to replace some of her Bedchamber ladies with the wives of Tory politicians. The film leaves out another scandal which involved a Lady Hastings, one of the Duchess's ladies-in-waiting who was accused of having an affair with John Conroy and becoming pregnant by him. Because of her hatred for Conroy, Victoria contributed to the nasty rumors being spread about Hastings' alleged pregnancy. As it turned out, Hastings only appeared pregnant—what she actually had was an abdominal tumor. Victoria's inexperience shows during the Bedchamber Crisis but the film's scenarists ignore some of the more unsavory aspects of her character as evidenced by the Hastings Affair.

The rest of the 'The Young Victoria' deals with -- of course -- the romance between the Queen and Prince Albert. Victoria kept Albert waiting, as the film makes clear, since she wanted to acclimate herself to her duties as the new Sovereign. They spent a good deal of time corresponding with one another until Albert returned to England and gave Victoria support during the trying times of the Bedchamber Crisis.

I find a good number of parallels between Prince Albert and Prince Philip, the current Queen's husband. While Philip is mainly Danish, he went to school in Germany and had in-laws who were of German background. Both Albert and Philip made it their business to reform etiquette in the Court (there's a great scene where Albert discovers that the servants are still setting a table for King George III even though he had been dead for years!). Albert's struggle was the same for Philip—as husbands of Monarchs, they had to find something to do. Both Albert and Philip became involved in various civic projects and proved that they didn't have to live continually in the shadow of their ever-popular wives.

Fortunately there's an excellent scene toward the end of the film where Albert infuriates Victoria with what she perceives as his 'interference' in her affairs. Albert doesn't want a second 'Bedchamber Crisis' so he goes over his wife's head and arranges a compromise involving Victoria's bedchamber ladies. Victoria is barely talking to Albert when an assassin's bullets almost cuts them both down (in the film Albert is shot in the arm but this never happened!).

The performances in the film are uniformly excellent, especially the principals, Emily Blunt and Rupert Friend. The Young Victoria ends rather abruptly and the closing credits lean too much toward hagiography (no mention of Victoria's depression after Albert's death). But 'Victoria' is still an engaging drama and fascinating history lesson. positive positive +This movie is a story of a Catholic nun as an advisor of convicted killer on death row. The movie describes what she does as a nun, who does not have any productive role. She might have had doubt in her actual role. But eventually she does the role only a nun could do, who has nothing but faith in Christ. In America, there are so many movies that describe condemned criminals or jails. Those scenes, especially execution, are too much different from Japan. positive positive +This is a classic that will be able to hold up with drama's to come simply because of the fact that it is shot with a 70's style and it's a story about the 70's. It is funny, action-filled, entertaining and sad at the same time. It has the effect to pull you into the lives of these poor folks and the consequences for their actions. 4 STARS! positive positive +With the death of GEORGE NADER, on 4 February 2002, I thought of this most interesting program, which even though it had only a short run, was a tremendous idea with good story lines throughout. Generally unseen for over 40+ years it would be worth viewing again. The opening credits showed many differing images, one of which was a snippit of COLONEL JOHN PAUL STAPP, riding his famed rocket sled, at the point where he was often referred to as 'The Fastest Man Alive'. positive positive +Istanbul is a big , crowded city between Europe and Asia.Too many types of people living together there for hundred years.In this documentary movie you can see how music can give description about the culture of the owner race.

You would be able to hear too many types of music including rock , hip-hop , arabesque , alternative and more. Some of the musicians are famous in Turkey , some of them are famous also in Europe. The rest are just street musicians. Their music tell viewers , different faces of a city.

Impressive ! positive positive +A man and his wife are not getting along because of the wife's jealousy and drinking problems. When the wife disappears, her sister begins a vigorous search involving the local police, state government, and a television crime show. What she finds out stuns the entire community. Good drama with lots of fine performances; based on a true story. positive positive +Britain and France declared war on Germany in 1939, but by then, almost all of Europe had fallen under the advance of the Nazi war machine. Entering the war, Britain virtually started from scratch, with scarce supplies and with an air force that was outnumbered by Germany ten to one. But the will of the Brits was firm, emboldened by their new Prime Minister Winston Churchill who declared - 'We shall never go under'.

On August 8, 1940, the Battle for Britain was on. However for the first time since Hitler's declared stance to conquer the world, he hit a wall. Though massively outnumbered, the British Royal Air Force went on the offensive, and in the span of twenty eight days in September and October of 1940, German Luftwaffe casualties climbed to two thousand three hundred seventy five lost planes and crew. Hitler's rage was seething, but he had to call a momentary time out. Responding later in the year, Hitler launched a massive fire bombing of London on Christmas Day of 1940. When I say that there has never been a disaster movie to rival the real live footage of London in flames during this assault would be an understatement. Perhaps the most surreal effect of this chapter in the 'Why We Fight' series would be seeing British citizens emerge from their underground shelters following the bombing raids to resume what was left of their life above ground. Even as you watch, there is no way to comprehend the living horror these people must have gone through, as the city of London was left in virtual ruin.

Yet the Nazis were stunned and stymied as well. Everything Hitler wanted to believe about freedom and democracy was now turned on it's head. Instead of being weak willed and complacent like the French, the British were not going to give up without a fight. And fight they did, taking the air battle to Germany and responding in kind with attacks on the German homeland. It was a turning point, forcing Hitler to rethink his strategy. positive positive +Busy Phillips put in one hell of a performance, both comedic and dramatic. Erika Christensen was good but Busy stole the show. It was a nice touch after The Smokers, a movie starring Busy, which wasnt all that great. If Busy doesnt get a nomination of any kind for this film it would be a disaster. Forget Mona Lisa Smile, see Home Room. positive positive +Picked up the movie at the flea market for 4 bucks, sure did get my moneys worth!. Could care-less about the hot babes but the animation just blew me away after a steady diet of Simpsons (Sorry Mr. Groening). The best part, facial expressions. Recommend multiple viewings with some cool tunes, good friends and a couple of cold ones! positive positive +It was released in France on dvd several years ago--I wish it would be re-released with English subtitles. Do not confuse this with a remake with Penelope Cruz which gets poor reviews. Gerard Phillippe is a peasant who is told by a fortune teller that he will marry the daughter of the king. He sets off to join the army and goes to war. His love, however, is Gina Lollabrigida in an early movie for her. I won't spoil the end. Gerard Phillippe died a few years later at a young age, a great loss to moviedom. positive positive +a bit slow and boring, the tale of an old man and his wife living a delapidated building and interacting with a fixed cast of characters like the mailman, the brothers sitting on the porch, the wealthy cigar smoking man. The photography of the river is marvelous, as is the interior period decoration. If you like decoration of Banana Republic stores, this is a must. positive positive +We tend to forget that the master/slave context of the past centuries lead to more than well-tended estates, powered by large groups of enslaved people, and a lot of money for the white owners. It lead to a group of people caught in the middle - the offspring resulting from slave owners interferring with their female slaves.

Some of these children just became more slaves, and others were free...but free and coloured, which back then meant anything but, relative to the lot of their sires.

A class formed around these offspring - the gens de couleur libre or free people of colour - and that class was able, to a certain extent, to own property, raise themselves from downtrodden to educated, and to attain a comparative dignity. That is to say, they weren't slaves, but they were still exploited to a certain extent.

Often, the women lived as mistresses to the white plantation masters and men of wealth, set up in their own houses, with allowances, schooling paid for for their children, and a kind of gentility, dependent on the respectability they chose to impose on their families. In essence, they were prostituting themselves to ensure their own prosperity, and relative independence from labour - an arrangement called plaçage.

Feast of All Saints is a beautifully written story about the children of one such woman, the result of just such an arrangement with a local gentleman, and the people who touched on their lives, in both a negative and a positive way. The tale was an eye-opener for me, a New Zealander, with no real conception of the black/white lines, let alone that grey area in the middle where the gens de couleur libre trod gingerly.

The characters are very three dimensional, and have been well-rendered in this adaption of the novel, by Anne Rice. The parts are well-cast, the costumes are wonderful, and the brutal way the lines are drawn out, with the blurred areas made all the more distinct by the conflicts the protagonists go through. The gens de couleur libre could not marry the whites, the slaves could not help themselves, and the whites, even the sympathetic ones, couldn't bear to face the economic reality of doing right by the people they depended on.

I recommend this story, both the novel and the miniseries, to everyone, unreservedly. If you can't handle the truth you'll cringe and cower through some parts, as one injustice after another is meted out on those of colour, both by their white oppressors, and by their own people. Bear in mind though that this is nothing more than reality, and this tale is an absorbing way to learn about it.

I know it may sound callous, but this miniseries both entertained me and enthralled me, despite the sour taste I found in my mouth at what went on, and I thoroughly enjoyed it. Watch it. If not read up on the period, because there's a lesson to be learned from it all. positive positive +This second pairing of Wile E. Coyote and the Road Runner is a great as the first. Predictable maybe, but I don't care and still laugh so much whenever I see it. The Wile E./Road runner shorts always had the most special place in my heart. So knowing that the second disc of the Golden Collection would not only feature 11 of this, BUT they would be in chronological order (2 through 12, the first episode was on Volume 1), made me get misty eyed. I LOVE this stuff. This animated short can be seen on Disc 2 of the Looney Tunes Golden Collection Volume 2. It also features an optional commentary by Micheal Barrier.

My Grade: A+ positive positive +This is an excellent documentary, packed with racing action beautiful pictures and a great story. The IMAX Cameras give you a very wide perspective, as a DVD movie it is perfect. Your hear every speaker working almost all the time, The film is not speeded up and just gives you the natural feel of 230mph. Of course there are some sound effects added but i think they are good, they give a depth to the driving scenes... positive positive +gone in 60 seconds is a very good action comedy film that made over $100 million but got blasted by most critics. I personally thought this was a great film. The story was believable and has probobly the greatest cast ever for this type of movie including 3 academy award winners nicolas cage, robert duvall and the very hot anjolina jolie. other than the lame stunt at the end this is a perfect blend of action comedy and drama. my score is **** (out of ****) positive positive +I must confess that I don't remember this film very well. But, certainly I liked it. I think it was the best adaptation from Burroughs novel, really. And of course it's one of the best movie from Christopher Lambert.

A good movie about Tarzan, as cult as the ones with Weissmuller. positive positive +Noni Hazlehurst's tour-de-force performance (which won her an AFI award) is at least on par with her effort in FRAN three years later. Colin Friels is also good, and, for those who are interested, Alice Garner appears as Noni's child, and Michael Caton (best known for THE CASTLE) is a bearded painter. (Also interestingly, Hazlehurst is currently the host of lifestyle program BETTER HOMES AND GARDENS, and Caton is the host of property-type programs including HOT PROPERTY, HOT AUCTION, etc...) This film reaffirms the popularly-held belief that Noni was arguably Australia's top female actor during the early-to-mid 1980s. Rating: 79/100. positive positive +A milestone in Eastern European film making and an outstanding example of Serbian mentality. A group of completely different people are doomed to die because of their discord. With 'Maratonci trce pocasni krug' makes two mythological movies everyone here knows word by word. positive positive +Although Kurt Russell was and is probably the closest person to look like Elvis in show-business, so many things were false in this film. First of all, the makers claimed Elvis opened his famous live shows in '69 after a 9 year hault for films by wearing a white jump-suit made in 1972. Also they claimed he sang 'burning love' which he first sung in 1972 and 'the wonder of you' which he first recorded in 1970. They also claim that he got his first guitar for christmas when all Elvis fans know he got it for his birthday. I know all movies based on past have something false but these things are so obvious to people who like Elvis. positive positive +Eric Valette is obviously a talented film-maker, and so are the two guys who wrote the script. Therefore Maléfique is a great flick, made with just a few bucks but also tons of imagination. Well, I'm a bit exaggerating, but nevertheless I'm sincere. So, if you like dark, gory movies, go and see this one. It's really worth it. positive positive +This movie really rocks! Jeff Wincott is terrific in the film! His fighting incredible! He is such a fast martial artist! Brigitte Nielsen & Matthias Hues was very good! Mission of Justice is an action packed movie that is never boring! If you like fighting movies with incredible non stop action then check out Mission of Justice today! positive positive +Adrian Pasdar is excellent is this film. He makes a fascinating woman. positive positive +Pat O'Brien had his best role ever as Notre Dame football coach Knute Rockne. From humble beginnings, Rockne entered Notre Dame as a student circa 1910. He is into chemistry but becomes a marvelous football player and hero.

Upon graduation, he teaches chemistry at the school but he has got the football fever that tugs at him, this forces him to give up chemistry to pursue his dream of coaching the game. In a way, too bad, the school probably lost a great chemistry teacher-certainly far better and nicer than the one I had in high school. (Erasmus Hall in Brooklyn to be exact.)

He motivates his students. He will not tolerate academic underachievement. He is a coach for all seasons.

O'Brien captures that common kind touch. One of his students, George Gipp, is memorably played in a fine brief supporting performance by Ronald Reagan.

The years pass and the achievements run high-but Knute remains the same kind coach who testifies before Congress when football is called into question.

Donald Crisp is outstanding as a Notre Dame priest who knew that Rockne was destined to coach football. Albert Basserman is adequate, but his Jewish accent in the portrayal of a priest is awkward at best. Basserman was nominated that year in the supporting category for 'Foreign Correspondent.'

Rockne's tragic death, in a plane crash, robbed the world of many more years of a totally professionally wonderful human-being. The film is great. positive positive +Very smart, sometimes shocking, I just love it. It shoved one more side of David's brilliant talent. He impressed me greatly! David is the best. The movie captivates your attention for every second. positive positive +Watching this PPV, I had high expectations for it, since Smackdown is the best show in WWE, this is a very good PPV as it is the last one before Wrestlemania.

FIRST MATCH-HARDY BOYS & CHRIS BENOIT VS. MVP & MNM W/ MELINA IN A 6 MAN TAG TEAM MATCH Good way to start the match. It started a bit slow at the start, but later the pace quickened & the match got more exciting & entertaining. Benoit rolls through & makes Joey Mercury tap out to get a victory for the Hardy Boys & himself. 6/10

SECOND MATCH- GREGORY HELMS {CHAMPION} VS. SHANNON MOORE VS. FUNAKI VS. CHAVO GUERRERO VS. DAIVAIRI VS. SCOTTY 2 HOTTY VS. JAMIE NOBLE VS. JIMMY WANG YANG IN AN OPEN CRUISERWEIGHT INVITATIONAL MATCH FOR THE WWE CRUISERWEIGHT CHAMPIONSHIP I'm a very big fan of Cruiserweights, & I never get disappointed watching them, especially in this match here. Chavo Guerrero nails the Frog Splash on Jimmy Wang Yang to get the win & become the new WWE Cruiserweight Champion. 5/10

THIRD MATCH- FINLAY & LITTLE BASTARD VS. BOOGEYMAN & LITTLE BOOGEYMAN This was not really a wrestling match, it was more like a comedy match, despite not being a clear wrestling contest, it still entertained me with the funny antics. Finlay nails the Little Boogeyman with the Shillaegh to get the win. Boogeyman does not deserve to be on a PPV, & does not deserve to be in WWE. 4/10

FOURTH MATCH- KANE VS. KING BOOKER W/ SHARMELL This was a surprisingly good match, I thought it would be mediocre, but it turned out into a real competitive wrestling contest. Hats off to both men, pulling a very entertaining match. Kane wins after a Chokeslam on King Booker. 6/10

FIFTH MATCH- PAUL London & BRIAN KENDRICK {CHAMPIONS} VS. DEUCE & DOMINO W/ CHERRY FOR THE WWE TAG TEAM CHAMPIONSHIPS Not really that much of a good match, Deuce & Domino need more training to wrestle, & London & Kendrick are the only ones keeping this match fast paced. London & Kendrick retain their titles, after Kendrick gets a roll-up on one of the guys for the win. 4/10

SIXTH MATCH- BOBBY LASHLEY {CHAMPION} VS. MR. KENNEDY FOR THE ECW CHAMPIONSHIP Mr. Kennedy attacks Lashley from behind, before the match starts. It was an okay match, but not really good. Lashley & Kennedy have a bit of chemistry, but not enough to pull a great match. Kennedy wins by DQ, after Lashley nails him with a chair, then assaults him with the chair all the way to the entrance area. Lashley still retains his title. 4/10

SEVENTH MATCH- JOHN CENA & SHAWN MICHAELS VS. BATISTA & UNDERTAKER This is probably the greatest tag team match that I have ever seen. Hats off to all of these men {yes even Batista} for pulling off as close as a 5 star main event classic. All 4 of these men played their parts in the match very well, as this was a very great & entertaining tag team match. Batista turns his back on Undertaker spine-busting him, then leaving the ring, which prompts Michaels to nail Sweet Chin Music, then Cena to nail an F-U for the hard fought victory. 7/10

I don't know why everyone says that this PPV is not good enough, or it is boring, I just don't get it. It is a great PPV which Smackdown always delivers. A great PPV indeed.

Overall I'll give it 8/10 & a B+ positive positive +After ''Empire strikes back'' ''Return of the Jedi'' is my second favorite movie from the Star Wars series.

Luke went to Tattoine to save Han Solo from Jabba. At the same time, the Galactic Empire is doing in secret, the construction of a new space station like the previous Death Star. If this station stays totally constructed, it will be the end of the Rebel Alliance. Both Vader and the Emperor are impatient because of the delay of the new Death Star,and they need to kill many of their commanders to have the project made in schedule.

R2 and C3po are inside Jabba's palace to send a message from Luke to Jabba,where Lukes pretends to negotiate Han's life. He gives R2 and C3po as a gift to Jabba as part of his plan. Jabba does not accept the negotiation,since he is using Han Solo as a piece of his palace's decoration.(Han still is frozen in carbonite) Lando is hidden as Jabba's guard and Chewbacca is also gave to Jabba by a reward hunter. When the same Hunter tries to save Han solo and makes him stay in human form again, we see that is actually princess Leia in a disguise. The problem is that Jabba discovers Leia's plan and takes her as his slave,while Han is thrown away in Chewbacca's cell.

Luke comes as a Jedi knight to rescue his friends. At his first try to kill Jabba,he falls into Jabba's monster cell (Bantha),but easily kills it. Jabba stays angry and decides to thrown Han,Chewbacca and Luke to Sarlacc, a big creature from the desert who stays 1.000 years digesting it's 'food'. Luke,Han and Chewie has success in scape again, and even Boba Fett dies when Han accidentally throws him in to Sarlacc's mouth. Leia kills Jabba and goes after Han,Luke and Chewie as well c3po and R2.

Everybody's safe again,Luke decides to go to Dagoba to complete his training as a Jedi,as well his promise to Yoda. The problem is that Yoda is too old and sick, since he already has 900 years old, and before he dies, Yoda says to Luke that he does not need more training,but to really be a Jedi, he must fight with Vader again. He confirms to Luke that Vader is Luke's dad, and that there is another Skywalker besides Luke. In his last moments, Yoda asks to Luke to remember his advices about the temptation of the dark side, and to Luke transmit his Jedi knowledge to other people. When Yoda dies,Obi wan's spirit shows up to Luke and tells him that Luke's father killed his good side Anakin to become Darth Vader, and also that he is more machine than a man since he became a sith. Luke stays worried about killing his own dad, and says that he feels that his father still has kindness. Obi Wan tells Luke that his twin sister is Leia, and says the reasons why Luke and Leia were separated since babies. He gives his last advice to Luke saying that if he refuses to kill Vader, the emperor will win the war.

At the same time, the Emperor says to Vader that he must give Luke to him when he shows up, since Luke is stronger than before, and they both needs to combine their efforts to bring Luke to the dark side.

Now we are going to have one of the best battles from the star war series,when the Rebel Alliance plans to attack the new space station, the '' Death Star 2'', Luke will confront Vader and the Emperor, and Leia, Han and chewie needs to turn off the 'Death star 2' power field, with the help of the EWOKS. (little creatures who looks little bears)

This is for sure one of the most exciting star wars of all! positive positive +Gandhi my father is like viewing a book, chapter by chapter you read it(with your eyes) and you learn more about Harilal Gandhi and for that matter Kasturba Gandhi. So little is known about both of them and this movie describes them uniquely. The title misleads though, its as much a movie about Mohandas Karamchand Gandhi and his son, as its about Harilal and his mother. And Akshaye Khanna and Shefali Chayya do full justice to their respective roles.

Such movies are like leap years. They come after only so much time.

Gandhi My Father, is also about an internal struggle, which is sometimes more difficult than any freedom struggle ever undertaken.

Watch it, if you like quality cinema. positive positive +This is one of the anime films from The Animatrix collection, one of nine - the only one done in black and white, and the only one featuring Trinity. Richly textured and beautifully rendered in every way, and the animated version of Trinity definitely does her justice. If you're a fan of The Matrix, you will need to put this on your short list. positive positive +I've seen Riverdance in person and nothing compares to the video, but the show is awesome. The dancers are amazing. The music is impacting. And the overall performance is outstanding. I've never seen anything like it! I suggest that you see this show if you can!!! positive positive +does anyone know where i could get my hands on this video or the film for this. I have been searching for it for a long time to show my daughter to show her and i can not find it anywhere. probably because it was only on video and they never made the DVD or VHS or idk.

i saw this right off Disney back in 1996 and i think it would be the best video to show her. such a good movie that has every type of emotion displayed throughout the whole movie. also has a lot of actors that started their careers with this movie. If anyone knows how to get a copy of this movie or has a copy and willing to sell it to me for like 50 bucks or something, please call 201-566-0148. thank you positive positive +This is another gem of a stand up show from Eddie Izzard . You cannot fail to laugh at the wide range of topics he talks about. He even takes the piss out of his American audiance at times and most of them didnt even realise it! A must see for anybody who likes comedians. 9 out of 10. positive positive +Superb cast, more please!

If you can catch just about anything else written by Plater (or starring these wonderful actors). For anyone who doesn't know Plater has a real feeling for jazz, my recommendation is to see the 'Beiderbecke' trilogy whenever you can.

'There's three kinds of jazz - Hot, Cool and 'What time does the tune start?'' positive positive +Yes, that's right, it is. I firmly believe that the N64 and the weird looking controller were both designed just so this game could be made. It was amazing the first time I saw it, with its huge environments and colorful characters, and its amazing now. The play control is perfect, the graphics are beautiful, and it has that Nintendo charm that is always so intangible but undeniably there. A must have for any N64 owner, and a reason to get an N64 for everyone else. positive positive +Here is the explanation screenwriter Pamela Katz gave me for why MvT introduced JG as a specific character in the film:

'...the historical record is very clear: Joseph Goebbels was directly responsible for the release of the Rosenstrasse prisoners, so we needed a way to get Goebbels himself into our film... For a woman like Lena, a woman from an aristocratic family with connections, it wasn't unthinkable that she would make an attempt to go to the top. The idea of getting to Goebbels wasn't impossible for her, so that became our hook.'

Those of you who insist on seeing an actual sex act here can read my new thread below & then fire away.

Jan Lisa Huttner FILMS FOR TWO positive positive +When I think about this movie, all the adjectives that come to mind somehow relate to the physical appreciation of the world. Texture, smell, color, that's how I think this movie should be judged in terms of. See the rich golden tones surrounding the young concubine asleep by the fireplace, or the sweltering turkish bath, and let it flood your senses with impressions of spice, coarse cloth, smooth skin, scented oils, flickering flames, satin rustle. Don't just watch and listen, be absorbed, let the droning voice of the storyteller mesmerize you. positive positive +This is about as good as gone with the wind was.I love this movie I could watch it over and over again.Scarlett always gets what she wants no matter what the cost.She tries real hard to forget Rhett but she just can't do it. She loves him so much. This is a story of real true love.It started in gone with the wind and ended up in this movie.The only real way to end this movie for real true love.Was to have Scarlett and Rhett back together at the end.And thats the way it ended with them back together with their daughter.What more could you ask for. There's not a better ending to this great love story than this.What else can i say about this great movie. positive positive +The premise is a bit better than the execution, but that doesn't mean the film is worth a look. Splendid supporting cast makes this a fun mystery to unravel. Raines is great as the resourceful woman determined to solve this puzzlement. I always enjoy Thomas Gomez. positive positive +Robin Williams and Kurt Russell play guys in their 30's who put their marraiges in jeopardy by deciding (Russell somewhat reluctantly) to replay their heartbreaking tie with rival Bakersfield years after the fact. Williams is ok, but Russell is flat-out great as legendary Taft quarterback Remo Hightower. Holly Palance does a nice and attractive turn as Williams' wife, who could live without this rematch. Film is worth watching just to see the famed Remo in action. Highly recommended. positive positive +Welcome to Collinwood is one of the most delightful films I have ever seen. A superb ensemble cast, tight editing and wonderful direction. A caper movie that doesn't get bogged down in the standard tricks.

Not much can be said about this film without spoiling it. The tag line says it all - 5 guys. 1 Safe. No Brains.

William H Macy and Sam Rockwell lead an amazing cast. George Clooney should be congratulated for producing this gem.

positive positive +Enterprise is the entertainment, but it is also the forefront of Science Fiction and a positive outlook for tomorrow. With gratitude and respect Mr. Berman and Mr. Braga. I wish you well, thank you both for your service to Trek.

Enterprise is what Trek is about... positive positive +This is one worth watching, although it is sometimes cheesy, it is great to see a young Sean Astin, and this ends up being quite an entertaining and humorous action movie. I watched it many times when I was young, and now still enjoy it when I pop the old vhs into the machine (I happen to own a copy). So sit back with this movie, let reality go for a little while, and you will be able to have a few good laughs and an enjoyable hour and a half. positive positive +I have seen it & i like it Melissa plays her part well. It was actually believable. My brother in law saw it with my sister & i and when i mentioned to my sister that i forgot it was based on a true story (i had seen it a few years ago.) he said just because its on lifetime you think its true & both my sister & i were like it was so anyway i was wondering if anyone knew what murder it was or like who was really involved was because i want to prove it to him. I love lifetime movies especially the ones that are true, or just the ones that teach a good lesson. I thought I saw something about it a week ago but i cant remember where any help would be appreciated. positive positive +Satisfying fantasy with ships sailing thru clouds with cannons, evil plotters, strange landscapes, manipulations of time, great sets, void of reality, maybe like Never Ending Story or some Merlin stuff. If you like that, you'll love it. Christine Taylor is beautiful. Sword fighting is phoney. Music is delightful. Good wins out, they kiss, all is well, and the cook is pleased. positive positive +There is a bit of trivia which should be pointed out about a scene early in the movie where Homer watches the attempt of December 6, 1957 (at least that was the video used on the TV he was watching) which showed the Vangard launch attempt, which failed.

He is next shown reading or dictating a letter to Dr. Von Braun offering condolences about the failure.

Von Braun was at Marshall space flight center in Huntsville working for the Army. The Vanguard project was by the early Nasa team which was at what soon became Goddard Space flight center.

The army rushed the Jupiter-C, which was essentially a US made V2 technology, but worked to launch a satellite in response to Russia's success with Sputnik.

This error may have actually been made by Homer, because of the notoriety of Von Braun, but his team didn't have their attempt fail. In fact the underlying Redstone was flying from 52 and was the first US man rated booster, used for Shepard's sub orbital flight, as well as Grissom's.

This is why this sort of movie is so good, as it hopefully will inspire people to read up and spot these bits of trivia, and in the process see what has been done, and be inspired to do more. positive positive +I saw this movie over 5 years ago and the subject still infuriates me, as it should. Her anger and initiative were inspiring. Not that I would takeover an army and kill people, but the scene at the well and at the rebel strong hold will never leave my mind. This is a great film but be prepared for the strong subject matter. positive positive +Slipknot is a heavy metal band from the great city of Des Moines, Iowa in which the rockers wear their own distinguished mask (I know someone already said this, but I need to fill up space for this review). The band members are Joey, Mick, 133, Sid, Clown, James, Corey, Chris, and Paul. This band is one of the best new heavy metal bands in my opinion and should be heard by everyone that loves hardcore rock. Another good movie is called 'DISASTERPIECES' which shows the band's performance at the London Arena. The 'My Plague' video was shot there and is included on the DVD. The most kick ass song they made is also on there (Sic). So if you love the band you need to see this and if you love heavy metal music then you have to hear this band. positive positive +1st watched 8/31/1996 - (Dir-Tim Robbins): Very thought provoking and very well done movie on the subject of the death penalty. Deserved more recognition and publicity than it received. positive positive +I really enjoyed this movie. The acting by the adult actors was great, although I did find the main kid a little stiff. But he carried himself very well for being a new talent. The humor is very sublime and not in your face like most Hollywood comedy junk. I.e. The Nutty Professor. If you have a short attention span and are used to the typical Hollywood stuff you probably wouldn't like this as it is a bit slower paced. I picked it up on Blu-ray and I have to say the image quality is top notch. Probably one of the better looking Blu-rays I've seen so far. The extras were cool too. They deleted quite a bit, but that's probably a good thing as most of the deleted scenes didn't really add anything. positive positive +When I see a movie, I usually seek entertainment. But of course if I know what genre the move is, then I will seek what it is meant to do. For example, if it is a deep film, I expect the film to rile thoughts up in my cranium and make me ponder what it is saying. But Who's That Girl? is not a deep film. But it is entertaining, nonetheless. It's a campy sort of film that's a joy to watch. There's barely a boring moment in the film and there are plenty of humorous parts. I've watched it when I was younger. The cast is always entertaining as usual. I had a small crush on Griffin Dunne even though he wasn't the typical male heartthrob at the time. Haviland Morris also stars. And late Austrian actress Bibi Besch is here too! Overall, a delight! positive positive +I purchased this video on VCR tape in a good-will store for US 50 cents. I have taken quite a few videos I purchased back for them to sell to others after I viewed them considering the 50 cent cost as a rental. This is the only one that will never go back. It is an explosion of artistic talent, color and sound. I don't know if I should calls it circus, dance, or both. It is bigger than life itself. They will only be able to do this well for just a few brief years in their life. These are the performers for the performers. If Gene Kelly and Burt Lancaster were alive today and saw them live they would be awe-struck. I would lend it to others to watch but I know if I do that I will never get it back. positive positive +It is so refreshing to see a movie like this with actual mood and personality instead of just a bunch of CGI cartoon gimmicks. This is a great horror-spoof that has genuine chills along side some really great sets and performances. Its laughs are subtle, but plentiful. Because there is very little if any CGI, there is no need to violently shake the camera around to hide the crappy effects. This makes the movie immensely watchable compared to the other camera-man-must-be-sh%#@ing-his-pants films of this genre that have come out in the last decade or so.

Far more enjoyable than the big-budget re-made garbage being released by Hollywood today.

See it. positive positive +A nicely done thriller with plenty of sex in it. I saw it on late night TV. There are two hardcore stars in it, Lauen Montgomery and Venus. Thankfully, Gabriella Hall has just a small part. positive positive +Michelle Rodriguez plays Diana, a high school girl with an insolent scowl and 2 x 4 on her shoulder. She's ready to battle anyone, especially her father who is paying for her brother's boxing lessons. Diana decides boxing would be a good way of focusing her anger.

I liked the relationship between Diana and Adrian. Santiago Douglas as Adrian is excellent. Watch how their emotions towards each other are shaped by the squared circle. positive positive +'Vanilla Sky' was a wonderfully thought out movie. Or rather, 'Abre Los Ojos' was well thought out. I watched that movie late one night, excited about what was to come. I wasn't disappointed. By the end of the movie, I was awstruck. I couldn't get it off my mind. The whole idea of it just blew me away. The ending, was more of a surprise than Shyamalan could ever do. The plot line was also something that kept me interesting through and through. The cast, superb. It was an all around wonderful movie. The kind of movie you can watch again and again and always find something new. I've seen it four or five times and I'm always finding something new. It's a movie to keep you interested forever. positive positive +I have read a couple of reviews of this film, which has recently been released on DVD by Eclectic. Apparently, the opening titles are letterboxed, but the remainder (most) is full-screen. The first release, in 1982 by Planet Video, is completely letterboxed. Though it was a primitive release, it did get the compositions right. Later releases had sharper and better picture quality, but they were fullscreen as the DVD is. Any release of this film should be letterboxed, as it adds significantly to the visual experience of the old Planet tape. positive positive +This movie of 370 minutes was aired by the Italian public television during the early seventies. It tells you the myth attributed to Homer of the Journey home of Odysseus after the Troy war. It is an epic story about the ancient Minoan and Mycenaean civilizations, told at list 500 years after those events toke place, around 1100 BC.

This is a 1969 movie, so if you buy the DVD version you would find that the sound is just mono and there is no other language than Italian, even the close caption is in Italian. Pity. Many people would enjoy this masterpiece if it had at list the English subtitles. But if this is not a problem for you, than I would strongly recommend to watch this movie. positive positive +This is a great movie, I did the play a while ago. It had an extra zing-- to it. I loved Vanessa Williams as Rosey, and also Jason Alexander has a good voice. It was great. The setting were also very good. Except the fact that it is 2 hours and 50 minutes, makes it pretty long. Overall I give it 8.5 stars. They also added a few parts, but it was still cool. positive positive +I think that Vanessa Marcil is the best actor in the cast. She makes Sam one of the best character on the show. James Cann is also pretty good. I love it when he worried about Delinda. One of my favorite scenes in when Ed and Delinda are beating the crap out of some guy. That was funny. Nikki Cox is also good and she has great chemistry with Josh Duhamel. Lara Flynn Boyle was awesome in her guest role. I wish they hadn't killed her off. The show has a great cast with no bad actors which isn't something you often see on TV. I still think Vanessa Marcil is the best though. She should have got an Emmy in my opinion. It's a shame the show was cancelled positive positive +I loved it. I had just sat through half of 'The Glass House' (turned it off...god what a morass of predictable plot and bad acting) and then I saw this movie. I thought it was terrific. Loved both Cameron Diaz and Jordana Brewster in it. I liked the escapism of the whole setting, the traveling around Europe in the 60's thing - yet they made it more realistic by showing the dark side and all of the bad things that could happen. It held my attention completely, even if I did think that parts were unbelievable. positive positive +The centurions is one of the best cartoons ever and it needs to be put on TV and DVD so people can have younger generations enjoy such a good show that is far better than the garbage they have made in the last 14 years. I have a petition online that is at the website address Http://www.petitiononline.com/6600F/petition.html that originally was trying to get this show on five days a week but is now trying to get this show onto DVD since the TV station it was focused on has bad public relations. We all need to convince the people who own this show to put it on DVD so it can be seen by future generations. Also since now Hasbro Toys owns the toy line of this show we might want to try to convince them to make a live action movie of it just like they have done with Transformers and sometime this year G.I.Joe. We need good cartoons like this one to come back and be enjoyed by the younger generations. Please do sign this petition so we can one day have DVDs of the guys who are famous for yelling 'Power Extreme!' positive positive +L'Auberge Espagnole is full of energy, and it's honest, realistic, and refreshing. Not a comedy or drama but more a slice of life movie about this particular group of very interesting but still normal young people who share an apartment in Barcelona for one year. Beautifully photographed with a nice soundtrack. If you're older, this movie should bring back a flood of good memories. If you're young, learn by this example. positive positive +I haven't seen much German comedy, but if this film is anything to go by, I'm compelled to see more! The simple but effective storyline takes two very different people on a trip from Germany to Italy after Eva, an unemployed mother of two, discovers that her artist husband is having an affair with the wife of a wealthy lawyer. I won't reveal anything further, but what results is a very funny series of events with the perfect conclusion. My interest in international cinema has expanded since I first saw this film. I recommend it to anyone (any adult... don't let the inclusion of the young children fool you into thinking it's a family film) who love comedy - even those unfamiliar with the language. positive positive +I used to watch this show when I was a little girl. When I think about it, I only remember it vaguely. If you ask me, it was a good show. Two things I remember vaguely are the opening sequence and theme song. In addition to that, everyone was ideally cast. Also, the writing was very strong. The performances were top-grade, too. I hope some network brings it back so I can see every episode. Before I wrap this up, I'd like to say that I'll always remember this show in my memory forever, even though I don't think I've seen every episode. Now, in conclusion, if some network ever brings it back, I hope that you catch it one day before it goes off the air for good. positive positive +And I'll tell you why: whoever decided to edit this movie to make it suitable for television was very ill-advised. EVERYTHING CONCERNING DRUGS IS CUT OUT AND COVERED UP!!! How do they do it, you might ask? Well, they don't do it very well, that's for sure. Anyway, instead of the marijuana which Cheech and Chong are supposed to have in their possession, they are said to have diamonds! Still, the characters go around in a haze of marijuana smoke stoning others along their way with no explanation whatsoever! positive positive +I liked this film very much, as I liked before the other movies by Cedric Klapish. All the actors, coming from all over Europe, are very good and funny. One can really feel the influence of 'Amelie', like in many other recent movies, but it's ok. positive positive +I'm a fan of B grade 80s films in which the hero is a bit of a bad guy, a strong male, who finds love - and this film delivers!

Towards the finish you do not know how Sharky will not be killed (and doesn't he take a beating! Realistically portrayed I believe). However he does and it's not via some overdone 'Die Hard' stunt. The 'past it' team he works with comes together, hence the title. His team are all characters - people on the sideline at work because they don't quite conform. These portrayals are funny and sympathetic - they have a real feeling to them. They're up against an iceman of an assassin, with a good team of his own. The result is a great film noir. positive positive +This animation TV series is simply the best way for children to learn how the human body works. Yes, this is biology but they will never tell it is.

I truly think this is the best part of this stream of 'educational cartoons'. I do remember you can find little books and a plastic body in several parts: skin, skeleton, and of course: organs.

In the same stream, you'll find: 'Il était une fois l'homme' which relate the human History from the big bang to the 20th century. There is: 'Il était une fois l'espace' as well (about the space and its exploration) but that one is more a fiction than a description of the reality since it takes place in the future. positive positive +I went into this movie after having read it was a drama about a man with a supernatural gift, who was made into a monster by society. Suffice to say I was expecting something entirely different from what I got. But it was a happy surprise. My friend and I both thought the movie was very romantic (the fact that the male lead isn't bad to look at surely helped), and there was enough plot development, action and even humor (the fact that it takes them until the 3rd part of the movie to now each other's name had the whole movietheatre laughing) to keep you entertained and invested in the story. So in short: Not what I expected, but a very good surprise indeed. I'll definitely buy this movie when it comes out on DVD. positive positive +for whoever play games video games here did anybody notice that the GTA:Vice City Mansion inside the game and some other things including weapons from the movie that are connected to this movie and this movie inspired the makers of the game (Rockstar Games) to copy some things from this movie and by the way this is one of the best 80's movies out there i recommend this for anybody who still didn't see it 10/10 no questions asked positive positive +This movie is really funny!! The General is Keaton's finest work but there are many of his works that are more hilarious - in this one are multiple sight gags and creative humor. We watch it over and over and it only seems to get funnier! positive positive +Well it might be a kid's movie...perhaps but i'm not gonna let my kids from 9 watch it!,so the one who say it is a kid movie hmm?!,it is teenager movie i agree..,so but back to the movie it is about a boy who can lie very good..,so good that at the end nobody nows truth or lie.Anyway it is a nice movie to see nice screen play i vote a 8 for screen play and story ...i think they writers mend a litlle lesson whit it...''the truth is never overated''. positive positive +This is what makes me proud to be British. This is by far the funniest thing on TV. The league consists of Jeremy dyson, Steve pemberton, mark gatiss and the lovely Reece shearsmith. Totally underrated, this horror-comedy is perfection. The characters are iconic and the catchphrases bizarre, 'Hello Dave'. It is a comedy that everyone simply must watch.

The best thing about the league of gentlemen is that it is always fresh, and always pushing the boundaries. It does not need to rely on catchphrases(unlike little Britain) for it to be funny. the fact that the league are willing to kill off arguably their most famous and iconic characters, shows us that they've got balls of steel. positive positive +It is one of the best of Stephen Chow. I give it a nine out of ten.

I was surprised to see that Shaolin Soccer was rated on top of all singsing's movies. Unbelievable. positive positive +SPOILER ALERT!!!!

I had just watched the extended version of Bedknobs and Broomsticks. Though I did like the extended version, I wish they would have left the original version on the DVD.

The Portabello Road could have been cut down to the orginal length. It was too long and dragged the movie along. Though the dancing is great, would have been much better left on the DVD as a Deleted Scene.

All in all this is a great movie. My 5 year old liked it. And it is wonderful that movies that I enjoyed as a child are being passed on to a new generation. This and Mary Poppins are added to my collection.

Just as I had remembered!

*** out of ****

positive positive +WWE Armageddon, December 17, 2006 -- Live from Richmond Coliseum, Richmond, VA

Kane vs. MVP in an Inferno match: So this is the fourth ever inferno match in the WWE and it is Kane vs. MVP (wonder why was it the first match on the card). I only viewed the ending parts where Kane sets MVP's ass on fire as they're on the apron and then MVP is running around the arena while yelling – eventually the refs put out the fire with a fire extinguisher as MVP sprawls around the entrance ramp. Funny and visually quite entertaining ending. 7/10

WWE Tag Team Championship: This was originally supposed to be William Regal & Dave Taylor vs. Brian Kendrick & Paul London (c) in a regular tag team match. However, GM Teddy Long comes to the ring and announces that it's going to be a Fatal 4-way tag team ladder match. MNM and The Hardys are thrown in and it's all chaos. One word to describe this eye-opener – wow. Man, I really can't remember how many sick spots there were in this match and words can't really do it justice. There was one particularly notable spot where The Hardys set up a ladder in a see-saw position and Jeff jumped off the top rope while Matt held MNM for the kill, and then WHAM! Nitro blew away while Mercury apparently botched it and was bleeding like hell with lacerations over his face. He had to be taken away and Nitro continued the match alone. Another spot was when Jeff powerbombed London while FLIPPING off the ladder. There were other high-flying breathtaking spots too many to remember. London finally unbuckles the belts to win this rave show-stealer. 8.5/10

The Boogeyman vs. The Miz: The two men get thrown in and around the ring until Boogeyman explodes a sit-out powerbomb for the victory and then and drools worms over The Miz's mouth as usual. 5.5/10 for this three-minute incognito.

United States championship: Chris Benoit (c) faces off Chavo Guerrero in yet another typical Guerrero match. Some good spots included a superplex off the top rope by Chavo and an unusually long chain of German suplexes by Benoit. Vicki Guerrero comes in the ring with the belt to nail Benoit but Benoit scares her off and takes a long time deciding whether to put her in a Sharpshooter or not. This allows Chavo to go for a roll-up but Benoit rolls it up once more and Chavo is locked in the Sharpshooter. Game over. Nice hard-fought battle albeit slow at times. 7/10

WWE Cruiserweight championship: Gregory Helms (c) vs. Jimmy Wang Yang for this one, in a fairly moderate-paced match. The match had some good high-flying spots – most notably Helms' moves off the top rope – but the crowd didn't seem to be into it after witnessing the ladder match, and Yang needs to get more airborne. Helms won the match after blowing Yang away with a facebuster on the knee. 7.5/10

The Undertaker vs. Mr. Kennedy in a Last Ride match: After a series of matches between these two, this time it is a Last Ride match, the second ever of its kind and the winner has to escort his opponent out of the arena in a hearse. Pretty good indeed for what these two could offer. Kennedy manhandled a good deal of Taker and even broke free of a chokeslam to throw Taker off the Armageddon set about 15 feet below; and thank God for Kennedy, otherwise it would've been brutal. Kennedy almost got the win until Taker got back up inside the hearse (I liked the camera view inside the hearse). Taker then missed a steel pipe hurl on Kennedy and broke the hearse's window instead, but then later busted Kennedy open with a chair, and followed with a consecutive chokeslam and Tombstone on the hearse's roof. Kennedy was unconscious and Taker drove him out of the arena to win. I actually found myself really interested into these guys' willingness to take/give real sick shots. 7.5/10

Santa comes into the ring, I go 'what the hell?' like many of the kids in the crowd, and then the word 'lingerie contest' gets in my ear. Break time.

Batista & John Cena vs. Finlay & King Booker: talk about charisma vs. technicality. This match was actually a quite good main event with the momentum rationally shifting from one team to the other and retaining good suspense. Even Finlay got some legitimate good shots on his opponents this time (I kind of doubted his strength against the champs), and him and Booker mainly didn't succeed in trying to cheat — except at one point where Booker rammed his scepter into Cena's throat. Batista hits the Bomb on Booker for the win, didn't get to see the F-U; Cena performed the 5 Knuckle Shuffle anyhow and I think he also did the STFU. This was probably the best technical match of the night and the participants did superbly indeed for what they could without a ladder 7.5/10.

Being an on-and-off WWE fan, I have to agree that Armageddon was laced up with numerous eye-catchers throughout, and the ladder match ultimately swallowed half of the show; the Last Ride match featured some fairly nerve-wrenching spots, and the main event also did very well for its category. All other matches also lived up to their billing except perhaps the Boogeyman vs. The Miz bout and the ever-useless lingerie contest. Overall Armageddon was a highly enjoyable pay-per-view and despite some big setbacks earlier in the PPV chronology, Armageddon wishes this year's goodbye respectably. PPV rating: 8/10. positive positive +First I played the second monkey island game, and I liked it despite the low quality graphics and sound. Then a few months later, I found out a new game was made. I tried it out and liked it a lot. First thing you notice is the great graphics. The areas are huge, colorful, and detailed, with lots to explore. The game requires you to use your brain, a lot, as always. The game is challenging, with all point and click games, frustrating. The jokes haven't gotten old a third time around. The animated cut scenes are a great addition to the game also. This is the best MI game out there, perhaps the best P&C game too! If you like cartoony games that play like a movie, get this game! positive positive +Johnny and June Carter Cash financed this film which is a traditional rendering of the Gospel stories. The music is great, you get a real feel of what the world of Jesus looked like (I've been there too), and June gets into the part of Mary Magdalene with a passion. Cash's narration is good too.

But....

1. The actor who played Jesus was miscast. 2. There is no edge to the story like Cash puts in some of his faith based music. 3. Because it is uncompelling, I doubt we'll see this ever widely distributed again.

I'd love to buy the CD.

Tom Paine Texas, USA positive positive +The three main characters are very well portrayed, especially Anisio by rock musician turned into first time actor Paulo Miklos. He is extremely convincing as the lower class trespasser/invader. The film shows very well the snowball effect of getting involved in ever more shady business, the contrast and similarities between the lower and higher classes. How everyone gets carried away by greed and ambition. 9-9,5 out of 10. positive positive +'Japan takes the best from around the world and makes it their own', while that may be true, it applies to all except for one thing, that being,.....Major league baseball....but not to worry, 'Mr Baseball' is there to try and change all that. But just who will change whom, is the part of the movie that really makes it rock! Tom Selleck is one of my favorite actors and really shines-on in his comedic roles. The storyline may be true to life, however the subplot is dead-on. The Japanese people are a gentle, respectful people with ways and traditions very different than those of Western Society. All of these elements and obstacles combine to make for one truly enjoyable, funny film. It's definitely worth the watch! positive positive +This, along with 'Hare Tonic,' ranks as one of the best Bugs cartoons, indeed one of the best Bugs, ever. There are some comments about how Bugs in these cartoons is 'basic,' meaning, I guess, that he is as yet not fully developed. I actually prefer this 'basic' version from the mid-40s (Chuck Jones' was the best version) who is actually more rabbit-sized and far more amusing than the eventual long-legged version who towered over Yosemite Sam and Daffy Duck. The latter-day Bugs came to be too suave and sophisticated for my liking. Also check out 'Hair Raising Hare' (1946) and 'Rabbit Punch' (1948) for great examples of classic Bugs and classic Chuck Jones. positive positive +question: how do you steal a scene from the expert of expert scene stealers Walther Mathau in full, furious and brilliant Grumpy Old Man mode? answer: quietly, deadpan, and with perfect timing as George Burns does here.

I know nothing of Vaudeville but this remains a favourite film, the two leads are hilarious, the script funny, the direction and pacing very fine. Richard Benjamin is very funny as straight man - trying to get at Burns through the window etc. Even the small parts are great.

There are so many funny scenes, Mathau messing up the commercial, Burns repeating his answers as if senile...

A delight.

Enterrrrrr! positive positive +This is the kind of film you want to see with a glass of wine, the fire on, and with your feet up. It doesn't require that much brain-power to follow, so is very good after a long day. I would say it is very unrealistic - if you expecting anything serious, then don't bother, but it is very funny. Just the thought that a businessman would go so far as to agree to live in a slum for a while, and then actually get to enjoy it... I would definitely recommend it. positive positive +This is a hilarious film. Burt Reynolds is a NASCAR star who signs a sponsorship contract with Ned Beatty's Chicken Pit restaurants. The contract has all sorts of humiliating clauses in it, such as forcing Burt to wear a chicken suit during the race! Jim Nabors is his (not quite convincing) chief mechanic. Loni Anderson (oh, yeah!) is assigned by Beatty to keep Reynolds honest and strictly adhering to the contract. This is a funny film in which Burt proves that he ain't too proud. I like it! positive positive +This is an excellent movie and should be presented every year during the holidays @ Christmas! Beautiful with great acting. John Denver at his best, i,e, sincere, kind, talented, and natural. The town is Georgetown, Colorado and every bit as lovely as in the story. positive positive +Kate Beckinsale is as good if not better than Gwyneth Paltrow as Emma in this movie, although I really liked Gwyneth Paltrow in the other Emma version. They're both good in different ways. Kate Beckinsale as Emma seems more interesting, almost, though. And I liked the woman who played Harriet Smith in this movie better, too...she was more believably sweet and sentimental. There are certain things I like better about the Gwyneth Paltrow version, though, like how the humorous side is more apparent. positive positive +Excellent episode movie ala Pulp Fiction. 7 days - 7 suicides. It doesnt get more depressing than this. Movie rating: 8/10 Music rating: 10/10 positive positive +Dirty Harry has to track down a rape victim who extracts revenge by shooting her assailants in the goolies before killing them. Probably a more apt punishment would be to let them live after the initial shot and let them suffer forever like she and her sister has...Anyway..... an action-packed story set again in San Francisco and Santa Cruz. The chief rapist, played by Andy Drake is suitably vile and gets his punishment at the end (of course!). Not a classic movie but better than the others except for the original Dirty Harry. positive positive +***SPOILERS*** When undercover Brooklyn North Det. Eddie Santos, Nestor Serrano,was to meet his drug supplier Tito Zapatti, Larry Romano, in the Williamsburg section of Brooklyn in a buy and bust operation, with Tito being the one who gets busted, that things went haywire with both Det. Santos and Tito ending up getting shot and killed by each other. During the deadly shootout an innocent bystander six year-old James Bone Jr.,Jaliyl Lynn,was also killed in the cross-fire.

With New York City slated to host the 1996 Democratic Presidential Convention that summer that last thing that the city's flamboyant Mayor Pappas, Al Pacino, wanted was a possible riot over young James Bones tragic death by a possible, in was later determined that it was a bullet from Tito's gun that killed young James, member of the New York City Police Department.

What was far more shocking then even Bone's death is that his killer Tito Zapatti was given probation by the well respected NY State Judge Walter Stern, Martin Landau. When he should have been put behind bars for 10 to 20 years by being arrested with a kilo of cocaine in the backseat of his car! It soon became evident that the person who got Judge Stern his job, for a $50,000.00 payoff, was non other the Brooklyn political boss Frank Anselmo, Danny Aiello. It's Anselmo who's involved with Mayor Pappas in a land deal, involving the New York Subway System, that would bring him and his real estate friends tens of millions of dollars over the next two years! It would also indirectly connect Mayor Pappas in the Bone killing by connecting him to Judge Stern, who made it possible for Tito be be free, who's a mutual friend of both him and his Gomba, or Landsman, Frank Anselmo!

To keep all this from blowing up the late Det. Santons is framed, by working undercover without the authority from his superiors, in the Bone shooting. In fact those framing Santos go as far and hiding some $40,000.00 in cash in his upstate summer home making it look like he was being paid off by Tito's uncle Mafia boss Paul Zapatti, Anthony Francoisa, for letting his nephew deal drugs with him getting a piece of the action. Which may well explain him, as well as Tito, getting shot by Tito welshing on his paying Santos off!

As things turn out it's Mayor Pappas' deputy in City Hall Kevin Calhoun, John Cusack, who ends up messing everything up for his boss by being too honest in finding who was responsible in covering up Tito's criminal record that allowed him to be out on the streets. The facts that Kevin uncovered lead straight to Frank Anselmo, a major political supporter of Mayor Pappas, who as it turned out was connected by the hip to Tito's Mafia chieftain Uncle Paul!

A bit over-plotted 'City Hall' does show how big city corruption can filter up, as well as down, to everyone in city government without them, like Mayor Pappas, even knowing about it. Mayor Pappas biggest sin was that he was friends with Brooklyn Boss Anselmo who was putting people into jobs, like Judge Stern, who were subjected to being blackmailed from Anselmo's real boss Mafioso Paul Zapatti.

***SPOILERS*** It only took a deadly shootout in Williamsburg to set everything into motion not by only Tito, besides Det. Santos and James Bone, being killed but why he was allowed to be out on the street in order to bring the very popular New York City Mayor down. Mayor Pappas was looking forward to much bigger things, like Governor or even President, in his future political pursuits. As it turned out his top deputy Kevin Calhoun in not looking the other way was responsible for his demise. As well as that of the Mayor's good friend Frank Anselmo and the person whom he helped put on the bench, as a state judge, Judge Stern. Who's decision in letting Tito Zapatti off made this whole disaster, which resulted in at least a half dozen murders and one suicide, possible! positive positive +I really liked this movie because I have a husband just like the guy in this movie. This movie is about Lindsey who meets Ben in the middle of winter when baseball season isn't in. She falls in love but when spring comes along, she gets the shock of her life when she is placed one step lower on her pedestal that Ben has put her on.

It's a funny movie with all of the baseball obsession that Ben has. He can't part from what he loves the most, that's what makes it so funny and why so many women can relate to Lindsey in real life. Also the people he sits with at the baseball games are just as obsessed as he is.

It's a funny movie and you won't strike out if you rent this one. positive positive +Carmen is one of the best films I've ever seen. It's hard to say whose performance is best: Antonio Gades, Cristina Hoyos and Laura del Sol are superb.They dance their souls out. It's a beautiful tale of inseparability of life and myth; myth penetrates everyday life. Dance becomes life and entire life is danced out. Real people at one and the same time live their own lives and become somebody else, act out the parts of lovers of old. The magic is continuing. positive positive +I really have to say, this was always a favorite of mine when I went to see my grandma. And it still is. It is very, very close to the book. The way it is filmed, and the players were just all excellent! I have to recommend this movie to everyone who hasn't seen it. Almost everyone I talk to hates TV movies, but this was really great! I gave it 10/10. positive positive +Sensitive, extremely quiet paced love story between a married journalist and his young and atractive neighbor, she too also married. They lived their love for a time but the obstacles and the fear of hurting their families and children invites to a separation. A reflexive look on delicate question like love, friendship, honor and loneliness, always present in human lives, whether you are an American or a Chinese. I give this a 7 (seven) positive positive +The Sarah Silverman program is ... better than those other shows. No laugh tracks, no painful jokes, just a program. The Sarah Silverman program. If you're like me, and you love comedy, this is probably a show for you.

Sarah Silverman brings out-there-funny, and right-here-funny to the table with ease. A mix of different styles, which makes for its own.

This program isn't something you want to start a compare war with, seeing as how it has absolutely nothing to do with them (other shows). This show is its own entity, and i think most comedy heads will like it just fine.

Go watch and see. positive positive +'Kalifornia' is a good Hollywoodish odyssey of suspense and terror which tells of two couples who drive cross-country to California to share the cost of gas: A pair of losers (Lewis & Pitt) and two wannabee artists, a photographer and a writer (Duchovny & Forbes). Pitt 'nails' his character which is the focus of this somewhat predictable thriller. A good watch for those into psycho-killer flix. positive positive +In the 1980s in wrestling the world was simple. Hulk Hogan would take on Roddy Piper, or Bobby Heenan's cronies or Ted DiBiase and come out victorious more often than not. Occasionally he would get an ally like Randy Savage in 1988, but mostly it was all about Hulk Hogan vs Bobby Heenan, and that's the way it should be.

But on this night that was about to change, a new champion, a man who the WWE thought would be their man for the 90s was crowned. It didn't work out. But the WWE was right about one thing: Hulkamania was finished and a new order needed to be established.

This historic Wrestlemania, the first to be held outside America, kicked off with Rick Martel defeating Koko B Ware. Koko never really had a lot of luck at Wrestlemania and was taken down in short order here.

Next up the Colossal Connection Andre the Giant and Haku put their tag team titles on the line against Demolition Ax and Smash and lost. New tag team champions crowned.

Next match saw Earthquake defeat Hercules. Hercules was another fellow who didn't really have a lot of luck at Wrestlemania. Plenty of luck for Brutus Beefcake as he ended Mr Perfect's undefeated streak. Well, I guess someone had to end it.

Roddy Piper and Bad News Brown fought to a double count out in a slow but fun match, next up the Hart Foundation defeated Nikolai Volkov and Boris Zhukov in 19 seconds. Not really a match, unfortunately. The Barbarian then defeated Tito Santana in a short match.

The American Dream Dusty Rhodes and Saphire then defeated the Macho King Randy Savage and Queen Sherri in a messy mixed tag match. This was the only female wrestling really going on in the WWE at this point of time.

Next up was a fun match as the Rockers Marty Janetty and Shawn Micheals defeated The Orient Express in a fast paced encounter. There were a lot of good tag teams at this point in time. Jim Duggan then beat Dino Bravo in a nothing match.

Next Ted DiBiase put his most cherished possession, the Million Dollar Championship on the line against Jake Roberts. Roberts was distracted by Virgil and counted out allowing Ted to retain his title in an entertaining match and one of the longer matches on the show.

Next up the Twin Towers collide as the Big Bossman defeats Akeem in short order, this is followed by Rick Rude winning a short match with Jimmy Snuka.

Finally we come to the main event with Hulk Hogan putting the WWE Title on the line against Intercontinental Champion The Ultimate Warrior. This is an entertaining back and forth match won by the Warrior after Hogan missed a leg drop. The crowd was extraordinary and the match was a great spectacle.

And so the torch was passed, but would the Ultimate Warrior prove to be the Champion the WWE hoped he would be? positive positive +What often gets overlooked in Agatha Christie's stories is her progressive, anti-conservative attitude on a number of issues - from the role of women to the effects of tradition to people's belief in the supernatural. In 'Nemesis', you can spot a lot of those subtexts - but you can also find a good old-fashioned intriguing mystery that keeps you in the dark for most of its length. Also lifting 'Nemesis' above other series entries ('They Do It With Mirrors', '4:50 From Paddington', etc.), is the fact that in the crucial moments before and after the revelation of the killer you can actually feel the suspense. And finally, Jane Booker is welcome to guard my body any time. (***) positive positive +Paha maa is different Finnish film. But the things which makes it different are copied abroad. Some techniques of narration are from Amores Perros, Jackie Brown and Elephant. Scenes are shot from different angles again. Paha maa is a good movie, but it isn't so good that the hype tolds: 'Realistic movie, no happy end, and no commercial admissions.' Some actors did great job. Sulevi Peltola was so good as a vacuum cleaner peddler. Also Jasper Pääkkönen shows his skills. But Mikko Leppilampi was so lame. He is so overrated actor, he's handsome and a nice guy, but not the best actor of Finland. But if you like Finnish movies, Paha maa is worth to see. positive positive +As a child growing up in the Sydney of the 1950s, I can readily identify with the content of this fine film. Each week I visited the Wynyard Newsreel cinema on George Street to watch the Cinesound (and usually 3 Stooges) shorts. Never has there been a better blending of B/W and colour in a film. Faultless production values round off a never to be forgotten movie experience. positive positive +Well, when before I saw this film I really wasn't sure whether it would be my cup of tea...how wrong I was! I thought that this was one of the best films I've watched for a very long time, a real family classic. The story of a young evacuee and his new 'foster' dad, this film ticks all the boxes. I've not read the book (maybe that's a good thing & meant I enjoyed the film more) but with regards to the story, I really can't think of any bad points, hence scoring it 10 out of 10 (and I hardly ever think anything warrants top marks!). By the time William proclaimed 'I CAN RIDE MY BIKE, DAD!' I was sobbing my heart out (anyone who's seen it will understand, I'm sure). Really heartwarming, and definitely recommended. positive positive +Unlike some movies which you can wonder around and do other things, this movie kept me in front of the screen for the entire two hours. I loved every minute of it.

However, I have to say that the story is not very believable. Especially when the foreigner was expelled by the government, and then later on, actually sent a package to the guy who helped him. Xiao Liu is a very good actor, he shows his emotions, and he shows his silliness, and his love toward that girl. positive positive +Like most people, I've seen Jason Priestley on TV and I think he's great. But I didn't know he had a sister! Justine Priestley is simply 'mah'velous as the scorned other woman. Good music, intrigue, and a death scene involving Amanda's revenge on an abusive Dr. that will stay with you for weeks. I'll leave it at that. Kudos. positive positive +A very good movie about anti-semitism near the end of WWII. The scene that really speaks loudly of the ignorance of these people is the meeting at the church when the priest is giving his speech against the 'international money grubbers and communists'. It sounds amazingly like the speeches that Adolph Hitler used to force down his peoples' throats, yet none of the meeting attendees seem to make this comparison. positive positive +This is perhaps the television series with the greatest potential of any series around. The production values are in a class of their own. The characters are rounded and interesting. This is entertainment at its best. Some of the aliens are quite grotesque, but there is an underlying humour which makes it unmissable. I hope that this series goes on for many years and will have many spin-offs. Science Fiction has had its bad press, some justified, but this is truly a flagship science fiction series and I thank Henson for it. Top marks. positive positive +Possibly the best movie ever created in the history of Jeffrey Combs career, and one that should be looked upon by all talent in Hollywood for his versatility, charisma, and uniqueness he brings through his characters and his knowledge of acting. positive positive +I liked the film. Some of the action scenes were very interesting, tense and well done. I especially liked the opening scene which had a semi truck in it. A very tense action scene that seemed well done.

Some of the transitional scenes were filmed in interesting ways such as time lapse photography, unusual colors, or interesting angles. Also the film is funny is several parts. I also liked how the evil guy was portrayed too. I'd give the film an 8 out of 10. positive positive +I really enjoyed this movie... In My DVD collection of baseball movies... Reminded me how great the sport truly is... Whether it's here in America or Japan. positive positive +A very interesting entertainment, with the charm of the old movies. Tarzan faces the greatest perils without hesitation if the moment requires it, and we all enjoy with him his success.The most insteresting for me is a man without special powers facing the problems and beating them just with human skills (he was a great swimmer and had a great shout) positive positive +I went to see THE ITALIAN JOB with mixed reviews in my head. I was pleasantly surprised with an entertaining close to 2 hours. I thought the cast was just great and so were the special effects, with the safe and truck just dropping out of sight. If you like fast paced action movies, this is the one to see. positive positive +THE INVADERS IS A FAST MOVING SCI-FI THRILLER STARRING BEN CROSS AND SEAN YOUNG. BEN PLAYS RENN, A TRAVELLER FROM ANOTHER GALAXY TRYING TO FIND ANNIE (PLAYED BY SEAN) WHO IS PHYSICALLY IDEAL TO HAVE HIS CHILD. THIS CHILD, IF ALLOWED TO BE BORN AND RETURNED TO HIS PLANET, MAY BE THE ONLY CHANCE FOR HIS RACE TO SURVIVE. THE ENEMY, AN ALIEN WHO HAS DESTROYED RENN'S PEOPLE, HAS ALSO FOLLOWED RENN ACROSS THE STARS TO STOP THIS BIRTH. CROSS AGAIN SHOWS GREAT RANGE FROM COMICAL BEGINNINGS AS THE ALIEN ENTERS A LOCAL BAR AND ORDERS HIS FIRST EARTHLING COCKTAIL, TO HIS RACE WITH THE ENEMY AND THE DRAMA OF WHETHER HE CAN KEEP ANNIE AND THE CHILD SHE IS CARRYING ALIVE. positive positive +I found this movie to be suspenseful almost from the get-go. When Miss Stanwyck starts her narration it's only a few minutes until you realize that trouble is coming. The deserted area, the lock on the deserted gas station door, everything sets you up to wait for it...here it comes. At first you think it will be about the little boy, but all too soon you start holding your breath watching the tide coming in. I found this movie to be really stressful, even though I had watched it before and was prepared for the denouement. Now a movie that can keep you in suspense even when you have seen it before deserves some sort of special rating, maybe a white knuckles award? positive positive +A wounded Tonto standing alone to protect three innocent lives. A devious woman masterminding a deadly plot. Racial tension. Smart Indians.

These are things we rarely if ever saw in the TV series, but this movie adds them all into the mix. While this is most certainly a Lone Ranger movie, it mixes up the formula just enough that those who grew tired of the series would probably still enjoy it. Definitely recommended for any fan. positive positive +Possibly John Cassavetes best film to date, and definitely his funniest. Seymour Cassel plays the young Moskowitz smitten with real-life wife of Cassavetes, Gena Rowlands, excellent as usual. A must see gem of a film, if you can locate it. positive positive +Pavarotti and the entire cast are superb in this beautifully filmed opera by Giuseppe Verdi, the world's finest composer of operas. The coloratura soprano is particularly spectacular with her perfect pitch. The title role is well-enacted and well-sung. The entire production is as perfect as one could expect.

A masterpiece of cinematography!

positive positive +This film is more than the story of Danton. It was a joint Polish French production filmed at the time of the beginning of the end of the Soviet system. It probably helped spur the Solidarity movement's union activity. It is more about Poland in the 20th century than the French Revolution. Solidarity began the end of the system. This film itself is historical by it's very existence....the rest is History.

Robspiere, aka. totalitarian leaders. Danton, aka. Walensa. When one watches this film, one must remember the snowball which began in Poland.

Actually, it could be useful for seeing the superpower struggle within the only superpower left. positive positive +Before Nicholas Cage was a big action star, he was a great actor. This lesser-known movie is where Cage gives one of his best performances. 'Red Rock West' was a low-budget, almost un-known film, but is one of my favorite movies of all time. I discovered it walking down the video store aisle, and wanted to see Cage and Hopper (Who also is great in the movie) appear together. Go get this one, and I'm sure you won't be disappointed. positive positive +'The Falcon & the Snowman' offers some of the best acting from its two leads. Hutton, in a brilliantly understated role, calmly portrays the confusion and angst of a man who seemingly turns traitor for no other reason than as rebellion against his father. Penn, as the co-conspirator basically just along for the ride and drug-money, explosively turns in one of the strongest performances of his multi-talented career. positive positive +If there's one good suspenseful film, this is one of them. James Stewart puts on a dazzling performance as American Dr. Ben McKenna who, with his wife and son, are in Africa on tour. They stumble on a murder scene, and Dr. McKenna's son is kidnapped hours later.

Before you can say, 'Fasten your seat belts,' Dr. McKenna finds out too much about a assassination attempt and tries to stop it. However, other people know he can be dangerous, (dangerous to them, that is) and try to dispose of him.

Eventually, Hank, the son, is found alive and well.

If you like suspenseful movies, this is the one to watch.

My Score: 8/10. positive positive +In Sudan, the Arabs rule and are constantly at war with the Christians and Animists who inhabit the southern portion of this East African country. This film follows a group of of Dinka boys, a tribe of cattle herders, whom were left orphaned after their village was destroyed and their families killed in a brutal attack carried out by the Arab forces. Most of these boys are now teenagers and have been dubbed 'The Lost Boys'.

The filmmaker follows a group of the 'Lost Boys' on their journey, as they have been accepted as refugees in the US, where they will land in Houston. Those who've been accepted as refugees gain celebrity status, as they feel (from what they've heard) that America is amazing. Making a trip from Sudan to America is like 'making a trip to heaven' says the one young man. A huge party is thrown for their departure, and they are told to do Sudan well, and once they have been educated, to return to Sudan so that they can contribute to Dinka society. They are also warned not to be like 'those with the baggy pants' whom are responsible for the negative stereotype of Black men, and also, no matter what happens, not to forget the Dinka culture.

You watch as the boys come from a third world country into America and how they attempt to integrate into American society, as they have gone from a place with practically nothing to this plentiful world where everything is massively overproduced and overconsumed. They are taught about cleanliness and how to use all the utilities that we take for granted on a daily basis. It is humorous at times, humbling at others.

Listening to the comments they make about Black Americans and American society/culture are quite interesting. As the film progresses you see how American culture begins to corrupt their previously humble ways of thinking.

One of the boys, Peter, is not content with working and making just enough to survive, so he up and moves from Houston to Kansas City so that he can pursue an education. When the other boys visit him, they talk about how they cannot get into any schools. The main reason they came to America was to get an education and the media is saying that the boys have been brought from Sudan for an education. This is occurring because the boys were given arbitrary ages, making them older than they actually are, preventing them from being able to enroll in high school.

The film juxtaposes images from Houston to Kansas. We watch as Peter enrolls in school, where he befriends a group of Christian conservative kids, and as Santiago attempts driving school(even though he drives without his license anyways), and works at Walmart. We see Peter struggle with high school life as he strives to make his schools basketball team, and as Santiago has trouble keeping up with work, the rent, appeasing tensions back home in Sudan, and most of all, coping with loneliness.

It comes to the point where the boys want to return to Sudan, and tell them that everything they are taught about America there is lies. 'You must make it alone here, do everything alone' one of the boys says. A damning message to a Liberal Capitalist lifestyle, showing how it causes people to become radical individualists (a trend which led to the creation of both the neo-conservative and radical islamist movements). Their biggest beef with America though, is that there is no time; time is money and we don't waste a second!

Despite all this, the boys never lose their sense of Dinka culture. They celebrate Southern Sudan Liberation Day, which marks the day which the SPLA began to fight in Sudan, a fight which continues today. They also meet with other 'Lost Boys' on the anniversary of their arrival in America, where they discuss their experience in America as compared to back in Sudan. When asked, one boy says that if he were able to make a living he would much prefer to live in Sudan. It is much too lonely in America he adds. They never lose their sense of community, which has been conditioned into them as part of their culture!

This film makes us question the way we live, makes us question the artificial happiness that materialism and the nature of our societies has created within us. It will also change the way I look at refugees, I will never again take for granted how hard they must work and what immigrants mean for a country such as my own, Canada. This is a wonderful film. I laughed, I cried..a very emotional journey, and a very well made documentary. 10 out of 10. positive positive +I remember my dad hiring these episodes on video. My whole family loved them, and now that I have moved away from home and have my own life I am trying to share these fabulous Jim Henson creations with my Husband and stepson but as I am starting to find out not everyone is a Henson fan. Which is a pity since it means they will just have to put up with me searching for this series. But even though they don't find these interesting, I would highly recommend anybody getting hold of the Storyteller. You will be lost in a world of tales from a time when people could only talk about unexplained situations through stories and how people need to care if they were ever confronted with these situations. positive positive +Even after nearly 20 years apart, the original members of Black Sabbath have not lost a thing. In this concert, they perform their best songs from their heyday (1970-1978), including 'N.I.B.', 'War Pigs', and 'Paranoid'.

Also included is priceless backstage footage with interviews and retrospectives into their days as the top hard rock band on the planet. The comments of Ozzy, Tony Iommi, Geezer Butler, and Bill Ward are just as interesting and intriguing to watch as the fabulous onstage performances.

A must-see for all Sabbath and Ozzy fans. positive positive +'Robin Hood: Men in Tights' has received no respect whatsoever. It was hilarious! Cary Elwes was excellent as the 'Prince of Thieves,' and David Chappelle, Amy Yasbeck, Patrick Stewart, Richard Lewis and Mark Blankfield as Blinkin all did fine jobs. I will never understand the hostility toward 'Robin Hood: Men in Tights,' but I do know a great comedy when I see one.

'Robin Hood: Men in Tights' receives *** out of ****. positive positive +This has to be one of the most beautiful, moving, thought provoking films around. It's good family entertainment and at the same time makes you think very hard about the issues involved. Every time I see the 'ghost of Zac riding the bike through the puddle at the end I can't help but cry my eyes out. John Thaw's performance is so touching and it is a shame he is no longer with us. Gone but not forgotten. A outstanding film. Full marks. positive positive +This is a lovely, spirit-restoring movie. From the use of the actual villa that inspired Elizabeth Arngrim to write the novel in the 1920s to the inspired casting, every choice was perfectly right! The quiet joy of this film doesn't stale after repeated viewings. Josie Lawrence, Miranda Richardson, Polly Walker and Joan Plowright seem to have been born to play these parts! I would dearly love to see Enchanted April released on DVD in a widescreen format. positive positive +Very possibly one of the funniest movies in the world. Oscar material. Trey Parker and Matt Stone are hilarious and before you see this I suggest you see 'South Park' one of the funniest cartoons created. Buy it, you will laugh every time you see it. Pure stroke of genius. If you don't think its funny then you have no soul or sense of humor. 10 out of 10. positive positive +This movie was very, very strange and very, very funny. All of the actors are quite real and very odd. The overall 'look' of the film was different, too, sort of dreamy and bleached-out, which only added to the spacey, fumbling, weird vibe of the whole thing.

It's not for everyone, I mean, it's not what you would call 'mainstream' but that is what I liked about it. It's unlike anything I have ever seen before . . . unpredictable, with a weird rhythm and punch lines in the strangest places. The kids are so heartbreakingly goofy (and pimply) that you can't help but feel for them. In other words, these are far from 'hollywoodized' versions of teenagers.

All of, which for me, makes it a good thing. positive positive +Farrah Fawcett gives an award nominated performance as an attempted rape victim who turns the tables on her attacker. This movie not only makes you examine your own morals, it proves that Fawcett can excel as a serious actress both as a victim and victor. positive positive +Preston Waters is off to a bad summer. Besides his birthday coming up, nothing else looks promising.

First he has to share his own room with his brothers who are going to run a business. They can't do it in their rooms because they don't have enough space. Off to a birthday party he only gets $6 tokens while others get $32, $35, and even $50. When one of his birthday cards comes early, he only gets a check made out for $11.

Going to the bank he learns he needs $200 at least to start an account. Leaving the bank, a bully steals the check. Pursuing after the kid nearly gets him run over (definately his bike gets ruined) by a criminal named Quigley (played by Miguel Ferrer). Quigley's just come from the bank too from giving the owner $1,000,000 to give to this guy tomorrow. Quigley starts to write a check for the damage, but only succeeds in writing his name before a police car circles the area. Afraid, he gives Preston the check, informs him to give it to his dad to finish out.

That evening though, Preston tells his dad that he doesn't want a new bike, he wants his own room back, better yet his own house. His father confines him to his room for the rest of the evening. Moping in his room Preston figures things can't get any worse he realizes that he forgot about the check as it's still in his shirt pocket. It's blank.

Using the computer and after careful consideration, he makes it out for $1,000,000. The next day, while trying to cash it at the bank he's taken to the owner who thinks he's the person he's supposed to give the $1,000,000 and does. He's not though as the real person named Juice comes in a moment later.

Now the three have to track Preston down.

Meanwhile, Preston has fun buying all sorts of stuff including his own house and even going on dates with a disguised bank lady who's really and FBI agent (who's trying to track the 3 bad guys down). He makes this person up named Mr. Macintosh who he works for and even plans a party for him on his birthday.

But eventually things catch up (the money runs out, the bad guys get him).

Overall, a pretty funny flick. Miguel Ferrer plays his role very good. If you enjoyed him in Another Stakeout, you'll love him here. He does all sorts of wicked crazy things.

Rick Ducommun (the stressed out boss from Ghost in the Machine) plays a wonderful friendly chauffeur in this movie. positive positive +This is the greatest show ever made next to south park. I love this show! it is so funny, and Peter's laugh is hilarious. You need to watch this show right away for the few people who have never seen this show before. One of my favorite shows of all time.

If you can, try to see some of the later episodes such as I dream of Jesus, or Tales of a third grade nothing. But there's never been an episode I didn't like. All of the episodes are absolutely hilarious. It's got a great satire to it as well. You can find a lot of clips on you tube. If you're somewhere near a computer or a TV see it right away however you can. positive positive +Eric Bogosian's ability to roll from character to character in this 'one man show' exhibits his true range as a character actor. Each persona has their own message to convey about truth, society, class, drugs, etc. This is an absolute Must Have for anyone who is a serious fan of acting! His performance contains some of the most Hilarious and Real moments I have ever experienced as a viewing audience. positive positive +If TV was a baseball league, this show would have a perfect record! With an excellent cast, and a perfect plot, this show gave 8 amazing seasons and a great joy to TV after dinner. With the constant changing of relationships and finding out who Hyde's real dad is, this show was a hit when it started in August of 98, though it was set in 1976. And hanging out in Foremans basement was always the thing to do back then, and it still is today, along with circles.This show gave great laughs in premieres, and it still does during re-runs. If you watch a few episodes of this show, you will get everything and want to get more. Now only is this show one of the best ever created, it is clever and funny. positive positive +This is a great movie to watch with a good friend, boy/girl friend or family. Basically one of those feel good movies you want to share with your loved ones....without all the girlie crap you find in a lot of American feel good movies. This movie is light hearted but makes you think, and will make you laugh.

Just a really simple but universal plot. Would think most people could relate in some way to this movie. The characters in the movie are amazing and the actors do a great job in sucking you into the movie. And the movie is topped off all along the way with hilarious true to life Jewish humor. I watched the movie for the first time last night, and now I want to own it. :) positive positive +GREAT, Chris Diamantopoulos has got to be the best Robim Williams that I have every seen.. He acts it up, perfectly. This was like watching Robim Williams as he really was and is.. It almost made me cry watching him.

I had no idea that Robin was as close a friend to John Belushi as he was. The portrayal of this relationship was very good and could almost stand on it's own merits.. Very sad, what both of them went through.

I really felt for both Val and Robin during his rough times. I am glad that they ended it in a high note!

I hope Robin puts a $100 bill in this guy's hat !!

And it was great that it was filmed in Vancouver! positive positive +This is one of the greatest child-pet movies ever created. I cry every time I see Shadow yelling 'Wait, wait for me Peter!' as the family car is pulling away. This is a must see if you love animals! Best Movie Ever! The lines in the movie are sometimes stupid. Like when Sassy says to Chance; 'Cat's Rule and dogs drool!' Lines like this I could do without, but when I was six I bet I loved that line. The storyline may seem hooky to some, but I like it. Shadow as the older dog who's preparing Chance to take over for him when he's gone is really moving when you think about it. It reminded me of my childhood dog. I think everyone can find a piece of themselves in 'Homeward Bound.' positive positive +Along with South Pacific, Guys and Dolls is for grown-ups - - it is sassy, sexy, and full of men being men and women being strung along.

There is an energy and drive that makes this stand out from the pack - the strength of Jean Simmond's performance, and the charm of a young Brando, and an already masterful Sinatra add much to the overall feel and look of the piece.

Guys and Dolls wins as it is unashamedly what it is: an MGM musical.

Still good to look at and listen too with great tunes and dance numbers - it will remain one of the classics of 20th Century cinema and be watched with pleasure for years to come.

Warmly recommended. positive positive +I think that Never Been Kissed was a totally awesome movie. The casting was really good and they acted very well. I really like Drew Barrymore and of course for me it was excellent. I was scared at first because it said that it wasn't coming out on video. Boy, am I happy that it is because it's a beyond cool movie. Go see it if you already haven't! positive positive +This show is a show that is great for adults and children to sit down together and watch. The stories are a little slow for adults but they are still good. There are lots of children in my family, boys and girls, and it is hard to get them all to agree on what to watch, but they always agree with each other when they want to watch the Mystic Knights. It is a wonderful show and I hope that they will continue to keep making it. All of the kids in my family and myself think that Vincent Walsh is the best of them all. We have seen that he has done lots of other work and think that he is doing a great job. We wish all of the actors, actresses, writers, directors, and producers the best of luck and would just like to say keep up the good work. positive positive +Anyone who gives this movie less than 8 needs to step outside & puff a couple. Great story.

Reality is for people who can't handle drugs. positive positive +This is the true story of how three British soldiers escaped from the German Prisoner Of War (POW) camp, Stalag Luft III, during the Second World War. This is the same POW camp that was the scene for the Great Escape which resulted in the murder of 50 re-captured officers by the Gestapo (and later was made into a very successful movie of the same name).

While the other POWs in Stalag Luft III are busy working on their three massive tunnels (known as Tom, Dick & Harry), two enterprising British prisoners came up with the idea to build a wooden vaulting horse which could be placed near the compound wire fence, shortening the distance they would have to tunnel from this starting point to freedom. The idea to build their version of the Trojan Horse came to them while they were discussing 'classic' attempts for escape and observing some POWs playing leap-frog in the compound.

Initially containing one, and later with two POWs hidden inside, the wooden horse could be carried out into the compound and placed in almost the same position, near the fence, on a daily basis. While volunteer POWS vaulted over the horse, the escapees were busy inside the horse digging a tunnel from under the vaulting horse while positioned near the wire, under the wire, and into the woods.

The story also details the dangers that two of the three escaping POWs faced while traveling through Germany and occupied Europe after they emerged from the tunnel. All three POWs who tried to escape actually hit home runs (escaped successfully to their home base.). The Wooden Horse gives a very accurate and true feeling of the tension and events of a POW breakout. The movie was shot on the actual locations along the route the two POWs traveled in their escape. Made with far less a budget than The Great Escape, The Wooden Horse is more realistic if not more exciting than The Great Escape and never fails to keep you from the edge of your seat rooting for the POWs to make good their escape.

The story line is crisp and the acting rings true and is taut enough to keep the tension up all the way through the movie. The Wooden Horse is based on the book of the same name by one of the escapees, Eric Williams, and is, by far, the best POW escape story ever made into a movie. Some of the actual POWs were used in the movie to reprise their existence as prisoners in Stalag Luft III. I give this movie a well deserved ten. positive positive +This movie was marketed extremely well. When it was released in '97, during the middle of Master P's fame and success anything and everything with his name on it was selling off the shelves. That's why it's no wonder this underground urban drama sold over 250,000 copies and still goin'.

If you are a fan of No Limit back then or even now check it out. It has a few old school phatty videos and don't get me started with the freaky deaky strippers at the bonus Ice Cream Party. So what I got to say to all the people who don't like Master P or No Limit Records don't watch it because it isn't for you and don't bother voting on it because you're only going to deter TRU no limit fans from renting or purchasing this video with your low votes. positive positive +This is like 'Crouching Tiger, Hidden Dragon' in a more surreal, fantasy setting with incredible special effects and computer generated imagery that would put Industrial Light and Magic to shame. The plot may be hard to follow, but that is the nature of translating Chinese folklore to the screen; certainly the overall story would probably be more familiar to its native audience. However, an intelligent person should be able to keep up; moreover, the martial arts scenes potency are amplified by eye popping CGI. positive positive +I wish 'that '70s show' would come back on television. It was the greatest show ever!!! They should make episodes between the other episodes but of course that would be confusing. But I wish it would come back and make more episodes. Please come back... The show was absolutely hilarious. You couldn't laugh without seeing an episode. There is a really funny part in every episode and plus the show was so much better when Hyde and Jackie were going out with each other. Those were the best episodes. 'That '70s show is the best'.... It will be and always will be the best show ever. It was really sad when the show ended. They should make new episodes. positive positive +I have just read what I believe to be an analysis of this film by a lyrical Irishman. Lovely to read.

However, a concise analysis of this film is that it is a interweaving of the seven deadly sins with the four types of justice.

Envy, greed, pride, sloth, anger, etc. and justice in the forms of retributive, distributive, blind, and divine.

I could demonstrate three examples of each, one for each of the three protagonists; however, it is much more fun to note them for oneself.

This is an excellent film.

Don't miss it. positive positive +The Internet is a wondrous thing is it not? I am watching a taped episode of one of my all time favorite documentaries, 'Vietnam:The Ten Thousand Day War', from my DVR in Florida USA to my laptop in Kuwait; I'm writing a review about this series and have just read another review from someone who actually lives in Vietnam! Amazing. I would like to just say that for Minh Nguyen to make the statement that America brought the war to Vietnam is one sided. I know America was the main player in the west but it takes two sides to wage war. The Soviets and the Chinese were major arms providers to the North so why Mr Nguyen doesn't mention them as partially to blame is showing an ignorance (well, I think we all know why he doesn't mention them, either ignorance from being raised in a communist system and its political dogma, or because he to scared to say the truth for fear of being arrested.). Also, Mr Nguyen, I guess the parts about the North being the main aggressor it whole war were not shown in your country so to blame America again shows ignorance. Regardless, its interesting to read a review from Vietnam (of course that could be made up as well but I'll take that as real), at least the communist east is somewhat open. As far as the mini series; why do I love it? It doesn't focus on the American involvement solely. This was a war that started 15 years before America got involved and the series covers every facet of the history so thats a real plus. The footage used is first rate, all the Vietnam War programs you see made now will use the same footage so you are not missing anything by watching this older series. The date this series was made is another plus. It has all the major players being interviewed which you can't do now because they are dead from old age, it's a major historical reference. Third, Richard Basehart adds a very distinctive narrative voice, his voice sounds as distinguished as James Earl Jones voice would and I think thats very steep praise. I don't think you could find a better war documentary ever made, it's like taking the relatively modern technology of 1980 and transplanting it to the year 1950 and interviewing all the generals and politicians on both sides of world war two, it does that for the Vietnam War.

OK, I do see some bias, its subtle, a 1970's-80's style subtle bias kind of like NPR 'All Things Considered' bias where it all seems so straight forward but when you blink you end up shaking your head. In this shows case the later episodes don't throw a whole lot of light on the role of the media and propaganda in general, all useful tools to influence the outcome of a war, DON'T YOU THINK?????

From an OIF War Veteran going through the same thing 30 years later. positive positive +a timeless classic, wonderfully acted with perfect location settings, conjuring a marvelous atmospheric movie. a simple story mingled with humor and suspense. i wish that a video was available in Britain. i have seen this film on many occasions and it remains one of my favorites along with Oh Mr Porter. positive positive +The villian in this movie is one mean sob and he seems to enjoy what he is doing, that is what I guess makes him so mean. I don't think most men will like this movie, especially if they ever cheated on their wife. This is one of those movies that pretty much stays pretty mean to the very end. But then, there you have it, a candy-bar ending that makes me look back and say, 'HOKIE AS HELL.' A pretty good movie until the end. Ending is the ending we would like to see but not the ending to such a mean beginning. And then there is the aftermath of what happened. Guess you can make up your own mind about the true ending. I'm left feeling that only one character should have survived at the end. positive positive +Surface is one of the best shows that I have ever seen. NBC is so stupid for canceling a great show like this and worse of all only leaving it half complete. NBC or someone else should give Surface at least one more season just so it can be completed. It's as if NBC gave you a book to read and half way through it they decide to take it away from you and then you can never find out the ending. I just want to see what happens to everyone and most importantly see what happens to Nim. I think I can say this safely about most Surface fans is that we want to save Nim! Nim has taken all of our hearts away and then NBC just cuts them in two. Come on NBC, just give Surface one more season! positive positive +I remember seeing this one when I was seven or eight. I must have found the characters round, because they left a impression in my mind that lasted for a long time after the end of the movie. And the ending, now that's sad, well... for a 7-8 year old kid.

I had the opportunity of seeing this movie again lately, and found that the plot was too simple, the character, two-dimensional... I guess it's the kind of movie that you can only with the innocence of a young child... Pity...

I recommend this one for all you parents with small kids... ( I saw it in its original french version, so I cannot tell you whether the translation is good or not.) positive positive +When I saw this film in the 1950s, I wanted to be a scientist too. There was something magical and useful in Science. I took a girl - friend along to see it a second time. I don't think she was as impressed as I was! This film was comical yet serious, at a time when synthetic fibres were rather new. Lessons from this film could be applied to issues relating to GM experimentation of today. positive positive +I became more emotionally attached to this movie than any other I have ever watched. That may be because I can see the characters as my own grandparents, attempting to make sense of a world at war. The ending and use of Pachabel's Cannon are both amazing. positive positive +Akin's prize-winning 2004 movie Head-On/Gegen die Wand depicted the appealingly chaotic world of a self-destructive but dynamic Turkish-German rocker named Cahit (Birol Ünel). This documentary is an offshoot of Head-On and explores the range of music one might find in Istanbul today if one were as energetic and curious as German avant-rock musician Alexander Hacke of the group Einstuerzende Neubauten (who arranged the sound track and performed some of the music for Head-On) and had the assistance of a film crew and Turkish speakers provided by director Akin. You get everything from rap to the most traditional Turkish classical song, with rock, Kurdish music, and Turkish pop in between. It's as chaotic and open-ended a world as Cahit's, one where East is East and West is West but the twain—somehow—do meet.

Like Istanbul itself, which sits on the edge between Europe and Asia and brings the two worlds together while remaining sui generis, this is a mélange that includes Turkish pop, Turkish traditional songs, Kurdish laments, Roma jazz musicians and group of street buskers (Siyasiyabend), lively and offbeat shots of Istanbul street life, and some talk on camera about synthesis and some personal and musical history by singers and musicians. Working out of the Grand Hotel de Londres in Istanbul's Beyoglu quarter where Cahit stayed at the end of Head-On while looking for his beloved, Hacke roams around the city with crew and equipment interviewing people and recording their music.

He begins with some loud rock by the 'neo-psychedelic' band Baba Zula – these are musicians he bonded with while putting together Head-On's score and he stands in here for the absent bassist -- and by Turkish (including brave female) rappers – thus causing some oldsters to walk out of the theater early on and miss the predominantly tuneful and easy-to-listen-to sounds that makes up the bulk of the film. (Head-On's narrative excesses were tempered periodically by musical interludes performed by a traditional Turkish orchestra sitting outdoors on the other side of the Bosphorus.) Hacke gives us the opportunity to meet and hear performances by some of the best known living Turkish singers, including Müzeyyen Senar, a lady in her late eighties whose aging, elegant musicians remind one of the way the great Egyptian songstress Umm Kulsoum used to perform. Hacke gets songwriter-movie star Orhan Gencebay to do a striking solo on the long-necked oud he's written all his songs on, and persuades the now elusive great Sezen Aksu.to do a special performance of one of her most famous songs, 'Memory of Istanbul.' This is a coup, and so is the lament by a beautiful Kurdish songstress Aynar recorded in a bath whose acoustics are spectacular, if only they could have turned down the heat – singer and musician's faces stream with sweat. There is also a young Canadian woman, Brenna MacCrimmon, fluent in Turkish, who sings Turkish traditional folksongs with expression and fervor. The sound mix is of high quality throughout. One would like to see a sequel; many great exemplars of Turkish popular and classical music have necessarily been left out.

Film released summer 2005 and shown at festivals in 2005 and 2006. Opened at the Angelika Film Center in New York City in June 9, 2006. positive positive +The second official episode of the 'Columbo' series ('Murder by the Book,' filmed later, hit the airwaves first). Robert Culp, who would match wits with Peter Falk's detective in several future installments, is terrific as the short-tempered head of a sophisticated private detective agency who murders a client's wife when she refuses to cave-in to his blackmail schemes. The two stars are well-matched in this clever cat and mouse exercise that is one of the best in the series. positive positive +Sadly, every single person I ask about this series says they've never heard of it. I remember it fondly from my early childhood (I wasn't quite 10 when it came out).

My favorite story was 'A Story Short'. Something about the way the 'stone soup' story was woven into a greater story gets me every time. And then the storyteller explains why he has no story to tell, and it becomes a story itself. I've always been a fan of Jim Henson, and this is just one reason why.

I'm adding this DVD on the self with Labrynth, The Dark Crystal, The Neverending Story, The Princess Bride, The Last Unicorn, Willow and MirrorMask. These are all DVDs I share with my siblings who are 6, 5, and 4 yrs old. positive positive +'Girlfight' follows a project dwelling New York high school girl from a sense of futility into the world of amateur boxing where she finds self esteem, purpose, and much more. Although the film is not about boxing, boxing is all about the film. So much so you can almost smell the sweat. Technically and artistically a good shoot with an sense of honesty and reality about it, 'Girlfight' is no chick flick and no 'Rocky'. It is, rather, a very human drama which even viewers who don't know boxing will be able to connect with. positive positive +While I understood, that this show is too weird to please everybody, I don't get where all these bad reviews come from, and I'm most surprised over the bad reviews, that it has gotten from fans of the movies. I liked it and got hooked on it since the first episode I watched. It's a little messed up though, that Kuzco was put into school. And it seems to be High School rather than College. But I guess he's only eighteen, right, so it's not like he's too old to get educated? And haven't the royals always had to get the best education avaible to them? So the 'Kuzco has to graduate, or he won't become emperor' thing doesn't sound too weird for me. And I guess his education was neglected before, so that's why he has to be educated now. positive positive +The movie 'MacArthur' begins and ends at Gen. Douglas MacArthur's, Gregory Peck, Alma Mata the US Military Academy of West Point on the Hudson. We see a frail 82 year old Gen.MacArthur give the commencement speech to the graduating class of 1962 about what an honor it is to serve their country. The film then goes into an almost two hour long flashback on Gen. MacArthur's brilliant as well as controversial career that starts in the darkest hours of WWII on the besieged island of Corregidor in the Philippines in the early spring of 1942.

Told to leave he island for Australia before the Japanese military invade it Gen. MacArthur for the very first time in his military career almost disobeys a direct order from his superior US President Franklin D. Roosevelt, Dan O'Herlihy. Feeling that he'll be deserting his men at their greatest hour of need MacArthur reluctantly, together with his wife and young son, did what he was told only to have it haunt him for the reminder of the war. It was that reason, his escape under fire from death or captivity by the Japanese, that drove Gen. MacArthur to use all his influence to get FDR two years later to launch a major invasion of the Philippians, instead of the island of Formosa, to back up his promise to both the Philippine people as well as the thousands of US POWS left behind. That he'll return and return with the might of the US Army & Navy to back up his pledge!

In the two years up until the invasion of the Philippine Islands Gen. MacArther battered the Japanese forces in the South Pafific in a number of brilliantly conceived island hop battles that isolated and starved hundreds of thousands of Japanese troops into surrender. The General did that suffering far less US Military losses then any other allied commander in the War in the Pacific!

It was in 1950/51 in the Korean War that Gen. MacArthur achieved his most brilliant victory as well as his worst military defeat. After outflanking the advancing North Korean Army in the brilliant and perfectly executed, with the invading US Marines suffering less then 100 casualties, back door or left hook invasion of Inchon Gen. MacArther feeling invincible sent the US/UN forces under his command to the very border, along the Yalu River, of Communist Red China. Told by his subordinates that he's facing the threat of a massive ground attack by Communist Chinese troops Gen. MacArthur pressed on anyway until that attack did materialized cutting the US & UN forces to ribbons. The unstoppable wave after wave of attacking Red Chinese troops forced the US/UN forces to retreat in the 'Big Bug Out' of 1950 with their very lives, leaving all their equipment behind, across the North Korean border even abandoning the South Korean capital city of Seoul! This turned out to be one of the biggest military disaster in US history with the US forces losing a record, in the Korean War, 1,000 lives on the very first day-Nov. 29/30 1950-of the Communist Chinese invasion!

Shocked and humiliated in what he allowed, due mostly to his own arrogance, to happened MacArthur went on the offensive not against the advancing Communist Chinese and Noth Koreans forces but his own Commander and Chief Pres. Harry S. Truman, Ed Flanders, in him not having the spin or guts to do what has to be done: Launch a full scale invasion of Communist China with nuclear weapons if necessary to prevent its troops from overrunning the Korean Peninsula! For Pres. Truman who had taken just about enough garbage from Gen. MacArthur in him running off his mouth in public in how he was mishandling the war in not going all out, like MacArthur wanted him to, against the Red Chinese this was the last straw! On April 11, 1951 Pres. Truman unceremoniously relived Gen. MacArthur from his command as Supreme Commander of the US/UN forces in Korea! Pres. Truman's brave but very unpopular decision also, by not going along with MacArthur's total war strategy, prevented a Third World War from breaking out with the Soviet Union-Communist China's ally- who at the time-like the US-had the Atomic Bomb! Pres. Truman''s controversial decision to dump the very popular Gen. MacArthur also cost him his re-election in 1952 with his polls numbers so low-in the mid 20's- that he withdrew-in March of that year- from the US Presidential Campaign!

In was Gen. MacArthur's misfortune to be around when the political and military climates in the world were changing in how to conduct future wars. With the horrors of a nuclear war now, in 1950/51, a reality it would have been national suicide to go all out, like Gen. MacArthur wanted to, against the Red Chinese with it very possibly touching off a nuclear holocaust that would engulf not only the US USSR & Red China but the entire world! It was that important reality of future war that Gen. MacArthur was never taught, since the A and H Bomb weren't yet invented, in West Point.

Back to 1962 we can now see that Gen. MacArthur, after finishing his commencement speech at West Point, had become both an older and wiser soldier as well as , since his retirement from the US Military, elder statesman in his feeling about war and the utter futility of it. One thing that Gen. MacArthur was taught at an early age, from his Civil War General dad Douglas MacArthur Sr, that stuck to him all his life was that to a soldier like himself war should be the very last-not first-resort in settling issues between nations. In that it's the soldiers who have to fight and die in it. It took a lifetime, with the advent of the nuclear age, for Gen. MacArthur to finally realize just how right and wise his dad a Congressional Medal of Honor winner, like himself, really was! positive positive +Frank Sinatra did so many excellent things in the world of entertainment that it's hard to single one out as the best. If I had to name the best thing he ever did, though, it would be his performance as Frankie Machine, the heroin- addicted musician and poker dealer who is saved, just barely, by the love of a good woman (played by an exceptionally babelicious Kim Novak). The 'cold-turkey' scenes between Sinatra and Novak are terrifying and heartbreaking. The movie is very nearly perfect, in fact, from Saul Bass's title graphics to the ground-breaking jazz score by Elmer Bernstein. It might not be the sort of thing anyone thinks of in regard to the 1950s, but it's a must-see nevertheless. positive positive +A very delightful bit of filmwork that should have had wider distribution. Ian McShane is right at home playing the soul loving DJ who gets canned because he won't ' go along with the program ' and sets out to let the world know what they're missing. The supporting cast is great as well, and the music is the 'Soul' of the film. I just wish that the film would be released so that I could get a copy of this for my film library. positive positive +I just re-watched 08th MS Gundam for the 2nd time. It is so much better than Gundam Wing. I can't wait to get the DVD and see what was edited out of the series. This is great to see the Gundams actually move about clumsily through the land. Somebody really thought over writing this move script.

See this today,. positive positive +Gulliver's Travels is, at the beginning, a satiric novel written by a great misanthropist called Jonathan Swift. So it is not recommended to judge of this movie, just by itself. We must go deeper into Man's conscience to get to the point where Swift would have lead us. Gulliver has lived a voyage of truthfulness, of solitude, of apprehension of what may be his true life. We cannot just sit and watch that movie, saying it is so cutie or so boring. The matter is far beyond that and I would like everyone to expect that. This is the greatest movie ever, as far as you can feel the truths that emerge from Ted Danson's character: the unforgettable Lemuel Gulliver. positive positive +Okay , so this wasnt what I was expecting. I rented this film just to see how it would be since I want to see the first one anyway. But , this film had B-movie all over it. But when I watched it I realized that it was very funny. For the first 30 minutes It was just how the snowman was kiiling people and one man losing his sanity. But , those first few minutes had some funny one liners in it. When He throws up the first of his little minions I knew this would be very very funny. They all act like the gremlins in the ninteen eighty four hit gremlins that it made it look like it was spoofing it and made me forget it was a B-movie. So if you like to laugh rent this one. positive positive +This movie is not for everyone. You're either bright enough to get 'it' or you're not. Fans of sci-fi films who don't take themselves too seriously definitely will enjoy this movie. I recommend this movie for those who can appreciate spoofs and parodies. Everyone I've recommended this film to has enjoyed it. If you enjoy Monty Python or Mel Brooks films, you'll probably enjoy this one. The voice characterizations are done in a tongue-in-cheek manner and the one-liners fly fast and furious. positive positive +I didnt know what to expect . I only watched it on a rainy sunday afternoon on pay tv . Right from the start it drew me in . The music and settings and characters were excellent . I hadnt heard of any of the actors but they all were outstanding . A wonderful thriller .

Now that ive read other comments on this movie referring to past versions and the book , i will be endeavouring to find out more on this great movie positive positive +Stewart's age didn't bother me at all in this movie, although he was portraying a much younger person. I still recall my fascination with Lindbergh's story and while I was thoroughly adult by the time this biopic was made, I had to see it.

Not only does this boast a great performance by Stewart,it also gives a lot of fascinating technical data,making it understandable to those technically challenged such as myself. And the look of the plane itself was great.

I quite loved this depiction of a period before my birth and reawakens the childhood love I had for airplanes and for the idea of air travel. positive positive +All I can say is I really miss this show!! My wife & I just got married around the time this show started up!! Why did CBS take it off the air??? I think it was the best show for the whole family to enjoy!! It made me laugh!! It also made me cry. But when CBS took it off the air my wife & I thought CBS made a big mistake. You know what would be so great?? Have a reunion show!! That would be so cool!!!! Anybody know if it is on DVD yet?? On the last season of Promised Land, did CBS show the whole last season?? I think CBS took it off the air at mid-season. My wife & I will never forget it. The opening with that theme song was fantastic!!! This show only comes once in a life time! May we never forget Promised Land!! positive positive +The BBC'S Blue Planet is simply jaw-dropping. I don't think I'm exaggerating when I say it contains some of the most beautiful sequences ever captured on film. From familiar creatures on and near the surface of the ocean to some more unrecognisable and just plain bizarre ones in the murky depths, next to nothing is left out. Weighing in at a hefty 8 hours, some people may want to check out the edited highlights brought to you in the form of the film 'Deep Blue' but I would heartily recommend you give the series a go. I don't think it will disappoint and if your kids enjoyed the aquatic world brought to them by Pixar's Finding Nemo I'm sure they will love this too. I just wish all television was this entertaining. positive positive +Simply the best and most realistic movie about World War II I've ever seen. Not only because the German soldiers talk German and Russian soldiers talk Russian (no English in a German or Russian dialect)also because of the realistic decor in which the movie was shot. The acting is outstanding. No Hollywood-sentiment at all even no love story...Stalingrad was supposed to be one of the most horrific battles during the war, and in such context there's no place for sentiment or romantic scenes. What you get is a movie which will make you thrill to the bone and which have one of the best unhappy endings a movie could have. positive positive +The theme song often goes through my head after all these years. I was never much of a TV watcher, probably because I was just entering my busy teen years when my family bought our first set in 1948 and it never became part of my life. But from the first episode of Lawman I was hooked, and it is the only TV show I've ever scheduled my week around.

Intelligent, believable, well-written and well-acted, and John Russell is still to me the most beautiful man I ever saw. (Peter Brown was no dog, either :o)

I agree that it is one of the most underrated TV series of all time. I hope I can find some episodes for my grandchildren to watch. positive positive +This movie is great--especially if you enjoy visual arts. The scenery that the two daughters paint and photograph are beautiful. The story is also both funny and poignant at times.

People who like European films and 'art movies' will like this movie. This is truly an art movie--it actually has a lot of art in it. Go rent it.

positive positive +This movie was a really great flick about something that affects us all. I know I've personally run into this many times. Thank goodness Will Smith has jumped onto the societal issue of text messaging while driving. People, don't do it. An hour and forty five minutes is not enough time for this cause. Personally, I wanted to throw away my cell phone after the movie. I was glad to see other people in the theater saw the message and dumped their phones with the empty bags of popcorn. I decided to disable all text messaging on my phone and would encourage others to do the same. If you care about your family, make them watch this vital Public Service Announcement on text messaging while driving or they could kill seven people. Thanks for showing us the way. positive positive +In the changing world of CG and what-not of cartoon animations etc. etc., Faeries was a warm welcome at least by me. I think it's important to show these sort of films once in a while, to preserve them and help remind us of where the originality and fun of cartoons actually came from. People were talking about how it is boring because of the graphics and stuff but hey! think about the films that will be considered boring if every film looked like the new state of the art ones everybody and their mother is making these days. Call me old-fashioned but I liked it. It's a wonderful story about supernatural beings and human beings and all it really needs from its audience is their imagination. positive positive +Once you can get past the film's title, 'Pecker' is a great film, perhaps one of John Waters' best. A wonderful cast, headed by strong performances by Edward Furlong and Christina Ricci, make the story very funny, and very real. There are some shocking scenes that are definitely not suitable for young children, but they are there for a purpose. Unfortunately this movie was not mass produced, and most of the public will be denied the opportunity to view it. If the opportunity knocks, then go see this film. positive positive +The Straight Story is a multilevel exploration of the goodness and beauty of America. At one level a slow walk through the heartland, it's kind inhabitants, and amber grain, at another level about growing old and remembering what is important(and actively forgetting what isn't). David Lynch gives us time in this movie and helps me to remember that so much can be said with silence. A remarkable movie that will rest gently with me for some time to come. positive positive +Sometimes, when seeking a movie nothing will do except a good thriller. Dead Line certainly fits the bill.

A little warning however: if you are going to watch this film you are better off not knowing too much specifics about the plot.

The plot thickens as the film goes by. A really remarkably well built tension mounts.

It is deep and horrifying. It goes all the way to the darkest places in human mind.

The plot also has some very surprising shifts.

Just wait till nightfall, turn off the light and watch this film. positive positive +midnight madness is the ultimate scavenger hunt movie for all time. michael j fox and paul reubens make respective pre- fame appearances. laughs abound everywhere and the intrigue of who will emerge victorious at the end of the great all-nighter will keep you on the proverbial edge of your seat. a true must see! positive positive +Here's the skinny, it seems that this is much older then I thought it was. But it's still cool. The bike mechs are cool and the story works for the most part. There are some character issues that I hope work themselves out by part 2 and my biggest complaint of all that it seems to be a MACROSS knock off. Not just the animation style but several character designs. For example all the girls in this movie look like LYN MINMAY of MACROSS. The mechs look similar to MACROSS as well as the other characters. This is really not made for little kids, it has graphic violence, nudity and graphic sexual content. So to make a long story short I give this cool MACROSS knock-off 7 STARS. positive positive +Graphically, it is the same game as the first one just different levels and some new features added for fun.

The PS1 version still has an issue with giving skaters enough air for some ground tricks. The Dreamcast version, which is rarely seen anymore, was the best version of the 4 versions (Xbox eventually came out with a 5th with 2x), it had the clearer resolution and the skaters looked better and more detailed the PS1 and N64 could handle.

The levels are really amazingly done, from start to finish, like the first one, the school was my favorite, i enjoyed that level so much, not only for the golf cart that would sometimes run you over but for the length. That's what i liked about the first two games, they don't make these games graphically enhanced, they just focused on length of levels, which is cool.

Overall, just as good as the first one, and well worth playing. positive positive +At first I didn't think I would like this movie, but as it progressed it became better and better. I love music and I was impressed with how well Cage could fake the movements of playing a mandolin. My son was with me and he also like the movie a lot for its music and the story and the way the story unfolded--- slowly showing how Corelli won the girls heart. The acting and the story were both well done and well directed. At first Corelli's bravado was irritating, but soon he grew on you. The twists in the plot were intriguing especially the relations with the Germans. I would like to see this again to follow all the side plots. I also want to buy the sound track to hear the music again. positive positive +I have to say that this is one of the best movies I have ever seen! I was bored and looked through the t.v. and found 'Home Room' and it was already in about 5 min., but I got hooked. It was so interesting and moving. It shows what can happen in anyone's life. I give it a 10, more if possible. The director/ writer and actors did an amazing job. I think teens should watch this movie and will learn from it. It was great, drama, mystery, and more. I cried for hours! I think that the director/ writer should write more movies like this one. I loved it! I didn't even know about this movie, which is sad because it was so good. I wish it could go in the movies for more people to see. positive positive +I was pleased with the cast of reputable players. The story is one of standing up for a cause, even if you are at personal risk in doing so. In a time where violence and pain are often in the movie forefront, this movie focuses on the old fashioned good cop. Although similar plots have been done repeatedly, these guys pull it off well. Kick back and enjoy. Dennehy is a master of taking over a movie. positive positive +..this movie has been done when Hitler ( and Mussolini who is as well in the movie) was at the top and many politics and even the Roman Church used to close eyes about brutality and evil of Nazism. Especially in USA there were many people who had not understood what was really going on in Germany and Europe ( Charles Lindenbergh for example ).It would be as today a big actor would made a parody of Berlusconi or Chirac. Chaplin maybe made a lot of mistakes in his life, but this is really a masterpiece of humanity and IMHO a great demonstration he was a courageous man. The movie is funny and deep, the final speech has a terrible strength and is still updated. I think this movie is one of the best ever done. positive positive +Look, this movie is obscure, brilliant, and a classic that should sought out by any means necessary. I suppose the powers that be have decided that it will forever be relegated towards the bargin bin; nevertheless, we could only pray for the chance to see this one on DVD. I would say that it even beats the great Phatasm. If you like a dark movie, with plenty of spooky imagery, look for this one and see how an 80s horror movie is suppose to be. positive positive +I totally got drawn into this and couldn't wait for each episode. The acting brought to life how emotional a missing person in the family must be , together with the effects it would have on those closest. The only problem we as a family had was how quickly it was all 'explained' at the end. We couldn't hear clearly what was said and have no idea what Gary's part in the whole thing was? Why did Kyle phone him and why did he go along with it? Having invested in a series for five hours we felt cheated that only five minutes was kept back for the conclusion. I have asked around and none of my friends who watched it were any the wiser either. Very strange but maybe we missed something crucial ???? positive positive +Ali G Indahouse has got to be one of the funniest films I've seen in a long time, and Cohen's portrayal of a British gangsta is hilarious. This film has cult classic written all over it, and it features some really great lines. Ali G Indahouse is a good-time party movie that will leave the viewer laughing literally from beginning to end. Definitely Vote Ali G and keep it real. positive positive +This movie was fun, if all over the board.

It essentially follows the comedic romp of two grave-robbers in 19th century England, who move from conventional body snatching to trafficking in vampires, zombies and dead Roswell aliens. (I have no idea what the Roswell alien was doing in there, and neither did the producers, I think.)

But was it funny? You bet. Even Ron Perlman, who is often the kiss of Direct to DVD Death was pretty good in this one as a priest who turns out to be the ringleader of a rival gang of body-snatchers.

A real joy to watch this hilarious little film, and a good example of what you can do when you don't have larger than life egos on either side of the camera. positive positive +This is hardly a movie at all, but rather a real vaudeville show, filmed for the most part 'in proscenium', and starring some of the greatest stage stars of the day. 'Singing in the Bathtub' is an absolutely amazing production number that must be seen-- be sure to wear your shower cap! positive positive +I hate to say I enjoyed this movie as the subject matter does not lend itself to enjoyment. However, I was moved by the way the family relationships were portrayed and the sincerity of the performances. It was the kind of film I told all my friends and family to experience as a reminder of how important we all are to each other. positive positive +I bought this game on an impulse buy from walmart. I am glad I did. It was very entertaining listening to Sean Connery and playing the game. I thought the graphics were the best I have ever seen in a movie/game remake. The bonus levels were very hard! The sniper one I think was too hard, it made me so frustrated I didn't play the game for a week and a half. There were too many people shooting at you with nothing to hide behind or life to handle it.

The only thing I might change was the upgrade system. I didn't notice any difference from un-upgraded equipment to the upgraded, such as buying an armor upgrade didn't seem to make the armor stronger or more filling on my life meter. I really liked the Q copter. I think the developers did a good job. positive positive +It is an excellent thriller from Turkey which can make sense.Great job from Gokbakar brothers.

First of all,i want to point on screen play.Generally screen play in most films from Turkey is not enough,but GEN has the best shots to be said 'perfect'.And also transition parts are really excellent.

On the other hand,'Gen' has a great topic that influence everyone.Especially,a woman ,who wants to be a psyciatrist in a sanitarium ,has a mother that is a habitual insanity.Principal causes and psychological consequences are given in Gen.The only thing you have to do is to combine all the hints.

There is an impressive aggression part Doga Rutkay and Sahan Gokbakar played.This performance may be more realistic than ' Irréversible(Monica Bellucci) '.

The last thing i want to say is 'Watch this movie,you'll get confused' positive positive +I was never a big fan of television until I watched 24 for the first time. I got into the series very late. Season 5 ended before I even saw my very first episode. It was an episode of Series 3 that was on my parents DVR (digital video recorder) box while I was house sitting for the weekend. It took that one episode for me to be hook line and sinker into the world of Jack Bauer. And boy was I hooked!! I watched the next six episodes without blinking an eye. The next day I went to Blockbuster and signed up for an unlimited month pass for twenty something dollars and needless to say it has been the greatest blockbuster money I've ever spent. I watched the first three seasons in three weeks. That's 72 forty minute episodes!!! I will say that finding out what happens next is easier on DVD than waiting an entire week. I can only imagine the anticipation of watching Season 6 week to week!! I find it mildly torturous and cruel but I'm going to give it a try and watch it just like the rest of America!! The DVR is set and you can bet I'll be chomping at the bit!! positive positive +The show itself basically reflects the typical nature of the average youth; partying and picking up chicks is the common weekend goal at the clubs. People frown upon the show due to its 'perverted' idea of picking up girls using technique and strategic characterization, but truth be told, practically every young guy is out doing it at the club. Overall, the show really appeals to the younger population, as we like to see the outcome of a 'player's' performance at the club, as the show offers a comical approach made possible by the judging panel.

10/10; a cool, fun and thrilling series that allows the audience to really interact. Good Job Boys. positive positive +The 74th Oscars was a very good one. Whoopi's work as EmCee was very funny, and light. I personally loved her last apperance, which garnered some frigid reviews due to coarse language and salacious jokes, but that's fine. The audience seemed to like it. Halle Berry, Denzel Washington, Ron Howard, Woody Allen, and Sidney Poitier made this an Oscar telecast to remember.

positive positive +I've always enjoyed seeing Chuck Norris in film. Although the acting may not be superb, the fight scenes are fantastic. I also enjoyed seeing Judson Mills perform along side him. In my opinion, the Norris Brothers have proven themselves to be fine entertainers and this was yet another fine production! I hope you take the time to view this movie! positive positive +This was very energetic and well played show. I saw it back in 98 and my friends and i still joke about it. Each time I watch it's always as funny as the first. I also love the way that everyone can relate to it in their own particular ways. I am very much looking forward to seeing more of John's own scripts and productions.

Unfortunately I can't find it anywhere for sale, and I've done quite a lot of looking. If anyone knows a website or store to refer me to, I would very much appreciate it as I am looking for his other live performances as well. Please send me a message if any of you have info on the subject. Thankyou. positive positive +'Who Will Love My Children' Saddest movie I have ever seen. Definite 10/10. Released on TV in 1983. Movie has been released on VHS. DVD release is a must, sooner rather than later. Mother dying of cancer, must find homes for all her children before she dies, because her thoughts are that her husband and father of the kids is not capable of caring for them once she has died. She manages to find homes for the children except one, a young boy whom is not wanted because he suffers from epilepsy. Very sad when your not wanted. In for a real good tear jerker, get your hands on this movie. I'm a male even I cried when I watched this movie. Not to be missed. positive positive +My mom took me to see this movie when it came out around Christmas of 1976. I loved it then and I love it now. I know everyone makes fun of Barbra's hair in this one, but I think she looks and sounds great! ...And I seem to remember a number of women who copied that permed look at the time! Also, the bath tub scene between Streisand and Kristoferson is just so sexy! The music is great as well. This is the groovy 70's Babs at her best! positive positive +This was a great movie. Something not only for Black History month but as a reminder of the goodness of people and the statement that it truly does take a village to raise a child. The performances by S Eptath was outstanding. Mos Def and his singing was off the hook. Had to do a double take when I saw that was Rosie Perez there. But the supporting cast of actors and actresses made this worth watching. All the different stories they had was amazing. And how Nanny protected Jr and literally everyone else that was in her presence. I can truly understand her being the matriarch of that time period and even more so how tired she was in helping everyone. Cant wait for it to come out on DVD. It would be a welcome addition to any movie library. positive positive +This movie is excellent!Angel is beautiful and Scamp is adorable!His little yelps when hes scared,and the funniest parts are when:Scamp is caught under the curtain and when Angel and Scamp are singing 'Ive Never Had This Feeling Before'.I totally recommend this movie,its coming out on special edition on June 20.The cover has scamp on a garbage can and Angel underneath the lid.

I just cant explain this movie more than romantic,charming,hilarious,and adorable.The junkyard scenes are funny,all the junkyard dogs have something special.Too funny i laughed,kids will LOVE it.Buy it when it comes out,it has new features! positive positive +I've seen hundreds of silent movies. Some will always be classics (such as Nosferatu, Metropolis, The General and Wings) but among them, my favorite is this film (it may not be the best--but a favorite, yes). In fact, when I looked it up on IMDb, I noticed I immediately laughed to myself because the movie was so gosh-darn cute and well-made. Marion Davies proved with this movie she really had great talent and was not JUST William Randolph Hearst's mistress.

The story involves a hick from Georgia coming to Hollywood with every expectation that she would be an instant star! Her experiences and the interesting cameos of stars of the era make this a real treat for movie buffs and a must-see! positive positive +I grew up watching Full House as a child. I stopped watching it for years, but about two weeks ago I started back watching it again. Now my kids watch the show and they love to watch it as well. My kids can't believe that DJ , on the show, and I are the same age.

I really love the show, because it is a show you can watch with your family. It has good teachings your kids can learn from. Also there isn't any drugs and violence on it. Also when the kids, on the show, have a problem they can always open up to their family for help. That's the message kids should be getting from TV now a days, turn to your family for help, not to drugs. Kids should be watching more shows like Full House instead of half the mess on TV now a days.

I also love the show because it makes you laugh and it is down to earth. It talks about real life problems and family matters. There is always a lesson you can learn from the show.

I vote the show a 10. positive positive +Simply one of the best movies ever. If you won't get it - sorry for you. I believe that someday people will include this one in their all-time top 10's. Not now, but in the far future. positive positive +While I rather enjoyed this movie, I'll tell you right now that my mother wouldn't. It's out there. Really warped little dark comedy that reads like a fairy tale gone awry. >

Neat treat with all the cameos too. If you want something 'different', look no further. positive positive +I have remembered this cartoon for over 50 years - what staying power it has! It was funny and creative; I wish my children and grandchildren could have seen it. It ranks right up there with Winky Dink - another favorite. I was pleased to find out that one of the creators later worked on Rocky and Bullwinkle. These early shows had a lot going for them that todays cartoons for kids don't have. Today's cartoons seem to push the idea that one needs something special, some magic formula or talent to be able to succeed against evil or dangerous circumstances. While the early cartoons didn't address evil very much - it WAS a much gentler and safer time - they allowed us to develop our own talents and character. positive positive +Jane Eyre has always been my favorite novel! When I stumbled upon this movie version in the late 90's I was ecstatic! This is the best and most complete version of the book on film! This version is a little long to sit through in one sitting but well worth it. Timothy Dalton is amazing as Rochester. I was glad that they cast a normal looking actress (Zelah Clark) as Jane and not a glamorous person. I love the sets and the location. For anyone who is a true Jane Eyre fan, this is the version to watch!!! For those of you who are interested, I just found this version on DVD. I have watched my VHS copy almost to breaking so I was thrilled to find it on DVD. positive positive +Ok i am a huge Traci fan so her just being in the movie automatically makes it rank at the 8.5+ rating. But even besides her being in it i thought it was a good movie especially for it being an HBO movie. But i am afraid if you take Traci out of the movie it would just be ok. But a person can't do that she is in it and she is a wonderful actress. She just keeps getting better and better. positive positive +I really liked this picture, because it realistically dealt with two people in love, and one of them having a disorder. Though the ending saddened me, I know that that was the best way for it to finish off. I would recommed this to everyone. positive positive +This movie is basically a spoof on Hitchcock's Strangers on a train, which i thought was overrated anyway. The plot has Danny Devito going to see Strangers and then thinking Billy Crystal wants them to swap murders, For Crystal to murder his mother and Devito to murder his wife. Both Devito and Crystal are great and so is Devito's mother. This is Devito's directorial debut and it's better than the war of the roses. positive positive +I've watched the first 17 episodes and this series is simply amazing! I haven't been this interested in an anime series since Neon Genesis Evangelion. This series is actually based off an h-game, which I'm not sure if it's been done before or not, I haven't played the game, but from what I've heard it follows it very well.

I give this series a 10/10. It has a great story, interesting characters, and some of the best animation I've seen. It also has some great Japanese music in it too!

If you haven't seen this series yet, check it out. You can find subbed episodes on some anime websites out there, it's straight out of Japan. positive positive +This started out to be a movie about the street culture of the Bronx in New York. What it accomplished was to give birth to a new culture and way of life, for American youth. What other movie has done this except Rebel Without A Cause? One of the most important movies of all time. The elements are simple yet fascinating. The story is timeless, young people try to succeed against all odds. Yet the story is always believable and never depressing. The characters are so realistic, a city dweller, would recognize them as neighbors. The story is entertaining, and comes to a satisfying ending. Buy this one for your permanent collection. It is a piece of American history. positive positive +Watching The Wagonmaster is not likely to result in deep thoughts, unlike many other great Ford films, like The Searchers, My Darling Clementine, The Man Who Shot Liberty Valance, and The Grapes of Wrath among others, but it is likely to produce a feeling of awe and deep satisfaction. The story is very simple: two cowboys decide to help a wagon train of Mormons get to California. Along the way, they run into a medicine man whose mules ran away, a group of bank robbers, and some Navajos. There's a lot of adventure and excitement on the trail, and the film is imbued with fun and beauty. The music is absolutely beautiful. The scenery, again from Monument Valley, is as beautiful as it ever was. Plus, how can you go wrong with James Arness? The Wagonmaster might not be one of John Ford's better known films, but it is nonetheless a must-see if you get the chance. 9/10. positive positive +This movie was an impressive one. My first experience with a foreign film, it was neither too long, nor too complex. I myself enjoyed the subtitles; and the plot was surprisingly fresh. The story of an adult son visiting his elderly father and retarded brother after a long separation appeared cliched at first, but it proved to be very touching and realistic. There was also some subtle humor so as not to depress or bore the audience. positive positive +I saw this series when I was a kid and loved the detail it went into and never forgot it. I finally purchased the DVD collection and its just how I remembered. This is just how a doco should be, unbiased and factual. The film footage is unbelievable and the interviews are fantastic. The only other series that I have found equal to this is 'Die Deutschen Panzer'.

I only wish Hollywood would sit down and watch this series, then they might make some great war movies.

Note. Band of Brothers, Saving Private Ryan, Letters from Iwo Jima, Flags of Our Fathers and When Trumpets Fade are some I'd recommend positive positive +Brian (Wesley Eure) works for a security firm owned by Mr. Norton (Conrad Bain). The Norton firm is in financial trouble for, unknown to the owner, he has an employee who is selling secrets to a rival firm's owner (Jim Bacchus). It's not Brian, as he is a loyal and faithful employee and a good inventor. But, Mr. Norton has no patience with Brian, in part because Norton's beautiful daughter, Casey (Valerie Bertinelli) has a thing for Brian and Norton questions Brian's motives for wooing her. However, Brian does come up with a great security device. It's called CHOMPS, which stands for canine home security system. The device, which looks like a dog, is actually a computer controlled animal with the ability to knock down walls and emit siren sounds to capture burglars. The rival owner sends two bungling spies (one is Red Buttons) to learn the details of the new invention. Will CHOMPS save Norton security? This is a fun family flick from the old school of good, clean entertainment. CHOMPS is, of course, a real dog, played by the adorable and talented Benji. In fact, Benji has a duel role, as Brian has a 'real' dog named Rascal, too. Just watching this little dog in action is pure joy, as he is able to scale walls, 'pull' trucks, and operate machine buttons to capture the bad guys. The human cast is also quite nice, with everyone giving upbeat performances that are infectious. Costumes, scenery, and production values are good, too. Although you may have trouble locating the film, it would be well worth the effort to secure a view for your closest loved ones. CHOMPS is a wonderful, wholesome diversion from the world's woes. positive positive +This movie is totally wicked! It's really great to see MJH in a different role than her Sabrina character! The plot is totally cool, and the characters are excellently written. Definitely one of the best movies!! positive positive +Great job! Was very exciting and had great stunts. A show that really rocked. Was a great job by all who worked on this one; and especially the acting on Bobbie Phillips' part. This would have been great on the big screen. Would like to see more of these movies of the week or perhaps a weekly series. This was great entertainment and am glad I watched! By far the best of the three. Keep up the good work UPN and Bobbie Phillips. I'll be looking for the next one. positive positive +An excellent movie. Superb acting by Mary Alice, Phillip M. Thomas, and a young Irene Cara. Tony King was very realistic in his role of Satin. This movie was one of the last predominately 'all black' movies of the 70's and unlike the 'blaxploitation' movies of that era, this movie actually had a plot, and was very well done. The movie soundtrack, sung by Aretha Franklin, was popular on the R&B charts at the time. positive positive +This movie was a fairly entertaining comedy about Murphy's Law being applied to home ownership and construction. If a film like this was being made today no doubt the family would be dysfunctional. Since it was set in the 'simpler' forties, we get what is supposed to be a typical family of the era. Grant of course perfectly blends the comedic and dramatic elements and he works with a more than competent supporting cast highlighted by Loy and Douglas. Their shenanigans make for a solid ninety minutes of entertainment, 7/10. positive positive +I'm new to gaming, but I would have started MUCH sooner if this film had been around! I caught it at Gen Con last year (a trip made only as a favor to my husband) and LOVED it! Even to a non-gamer like I was at the time, it's funny and accessible--so much so that I finally relented and started sitting in on my husband's gaming group.

I don't want to give away any plot details, but if you're a gamer, you NEED to see this film--and if you're not, you're going to have a great time despite yourself. There are certainly 'in' jokes, but the vast majority of the film is accessible to anyone.

My only complaints: wish it were longer and wish it were available on DVD. Soon, perhaps?... positive positive +Joan Fontaine stars as the villain in this Victorian era film. She convincingly plays the married woman who has a lover on the side and also sets her sights on a wealthy man, Miles Rushworth who is played by Herbert Marshall. Mr. Marshall is quite good as Miles. Miss Fontaine acted her part to perfection--she was at the same time cunning, calculating, innocent looking, frightened and charming. It takes an actress with extraordinary talent to pull that off. Joan Fontaine looked absolutely gorgeous in the elegant costumes by Travis Banton. Also in the film is Joan's mother, Lillian Fontaine as Lady Flora. I highly recommend this film. positive positive +This movie came to me highly recommended by Matt Groening. Well actually I watched both The Simpsons and Futurama and it gets a mention in both so I figured 'what the heck'. The film brings home a few 'what if's' that make you realise how lucky we are in this day and age where we take simple things like soap and water for granted. Interesting though that in the year 2022 men are still shaving with a single blade safety razor! Nice that Those responsible didn't over load the film with unnecessary special effects, ray guns, etc. Some nice looking 'furniture' once you figure out what that means. Remember, 'Tuesday is Soylent Green Day' positive positive +Michael Jackson is amazing. This short film displays the absolute highest standard in music video and no-one will ever be able to out-beat this 'King Of Pop' masterpiece! It shows Michael turning into a zombie and dancing in the street with some spectacular choreography. The story is great, the scenes are marvelous, the music is fantastic and overall the clip is fun, eye-popping, spooky and is a real spectacle. Today everybody is still doing the same thing in music video with dancing and film-based story-lines which he innovated. This ground-breaking video is the toast of MTV and will forever be remembered for what is the greatest music video of all time!! positive positive +Extremely well-conceived - part whatever happened to, part behind the scenes revisitation, part reunion film - all done in the same campy style that made the original series so much fun. I only wish this had been done 10 years ago to include more guest villains who have passed on. positive positive +I was about 11 years old i found out i live 0.48 miles from the uncle house. the uncle house is on Westway Dr, deer park, TX. they have added homes since the movie was made. i don't know the house number but you can go look it up. i am now 21 and i enjoy watching this movie. the bar on Spencer is no longer their. Pasadena ISD wants to build a school their. I drove by the house last week the house still looks great. My dad and uncle would go to the street where the house is and watch the actors come in and out of the house trying to make the movie. where john cross over the railroad cracks they have made 225 higher. when i hear about john loesing his son i start thinking about when he made urban cowboy he was 26 or 25 at the time. positive positive +Mary Tyler Moore and Valerie Harper still can turn the world on with their smiles. The combined talent of these two wonderful stars make this combination reunion/newstart movie work. Watch it and look forward to hitting sixty! Mary defies the youth oriented society with wit and charm. A touch of drama adds 2000 realism. A TV series follow up would broaden the new characters and give us a chance to occaisionally see Lou Grant, Phyllis, Sue Ann, Murray, and Georgette! positive positive +This happy-go-luck 1939 military swashbuckler, based rather loosely on Rudyard Kipling's memorable poem as well as his novel 'Soldiers Three,' qualifies as first-rate entertainment about the British Imperial Army in India in the 1880s. Cary Grant delivers more knock-about blows with his knuckled-up fists than he did in all of his movies put together. Set in faraway India, this six-fisted yarn dwells on the exploits of three rugged British sergeants and their native water bearer Gunga Din (Sam Jaffe) who contend with a bloodthirsty cult of murderous Indians called the Thuggee. Sergeant Archibald Cutter (Cary Grant of 'The Last Outpost'), Sergeant MacChesney (Oscar-winner Victor McLaglen of 'The Informer'), and Sergeant Ballantine (Douglas Fairbanks, Jr. of 'The Dawn Patrol'), are a competitive trio of hard-drinking, hard-brawling, and fun-loving Alpha males whose years of frolic are about to become history because Ballantine plans to marry Emmy Stebbins (Joan Fontaine) and enter the tea business. Naturally, Cutter and MacChesney drum up assorted schemes to derail Ballentine's plans. When their superiors order them back into action with Sgt. Bertie Higginbotham (Robert Coote of 'The Sheik Steps Out'), Cutter and MacChesney drug Higginbotham so that he cannot accompany them and Ballantine has to replace him. Half of the fun here is watching the principals trying to outwit each other without hating themselves. Director George Stevens celebrates the spirit of adventure in grand style and scope as our heroes tangle with an army of Thuggees. Lenser Joseph H. August received an Oscar nomination for his outstanding black & white cinematography. positive positive +This is an extraordinary film. As a courtroom drama, it's compelling, as an indictment on the American justice system, it's frightening. For Brenton Butler the consequences of this system could be devastating. This film highlights the fundamental flaws of the legal process, that it's not about discovering guilt or innocence, but rather, is about who presents better in court. In truth, the implications of this case reach beyond the possibility of an innocent man being found guilty, or a guilty man being free. Every citizen has a right to justice, whether a perpetrator or a victim. But do they get it? The film is well paced, understated and one of the best courtroom documentaries I've seen. positive positive +I see a lot of folks on this site wishing AG would come out on DVD. Well, I bought it on DVD. (From Borders, no less!) While it is great to have this terrific show in a boxed DVD form, I am upset by the fact that they added very few in the way of 'extra's' (A director commentary from Shaun Cassidy on the Pilot episode) and the episodes are shown in the same order they were put out on TV. The missing episodes that were never shown prior to being run on Sci Fi channel are in the box set, but are tacked on the final DVD. If you buy the DVD set, get the actual order they are to be viewed and you will be happier. (You will need to swap DVD's in and out of your player to see them in order, but you will be glad you did.)

S positive positive +This is a classic animated film from the cartoon series! Most of the major characters get alot of screen time plus do extra characters aswell! The film`s focus is on the superstar characters vacation and each one has his/her very unique summer fun! Its very funny from beginning to end! It has excellent color, great music and believe it or not I have seen this more than any movie. Its that great and in MY opinion its perfect! positive positive +'Moonstruck' is one of the best films ever. I own that film on DVD! The movie deals with a New York widow (Cher) who falls in love with her boyfriend's (Danny Aiello) angry brother (Nicholas Cage) who works at a bakery. I'm glad Cher won an Oscar for that movie. Nicholas Cage and Danny Aiello are great, too. The direction from Norman Jewison (who directed 'Fiddler On The Roof') is fantastic. 'Moonstruck' is an excellent movie for everyone to see and laugh. A must-see!

10/10 stars! positive positive +In France, Xavier (Romain Duris) is a young economist of twenty and something years, trying to get a job in a governmental department through a friend of his father. He is advised to have a specialization in Spanish economy and language to get a good position. He decides to apply in an European exchange program called 'Erasmus' and move to Barcelona to improve his knowledges in Spanish culture and language. She leaves his girlfriend Martine (Audry Tautou), promising to keep a close contact with her, and once in Barcelona, he is temporarily lodged by a French doctor Jean-Michel (Xavier de Guillebon) and his young and lonely wife Anne-Sophie (Judith Godrèche) he had met in the airport. Later, he moves to an apartment with international students: the English Wendy (Kelly Reilly), the Spanish Soledad (Cristina Brondo), the Italian Alessandro (Fédérico D'anna), the Danish Lars (Christian Pagh) and the German Tobias (Barnaby Metschurat). Then the Belgium Isabelle (Cécile de France) and Wendy's brother William (Kevin Bishop) join the group, and Xavier learns Spanish language, and finds friendship and love in his experience living abroad. 'L' Auberge Espagnole' is one of those movies the viewer becomes sad when it ends. The story is a delightful and funny tale of friendship and love, in a globalized world and an unified Europe. This very charming movie made me feel good and happy, although I have never experienced to live in a republic of students. The newcomer William provokes the funniest situations along the story, with his big mouth and short brain. Further, it great to see a fresh approach of students living together different from those dumb American fraternities and their stereotypes, common in American movies. My vote is eight.

Title (Brazil): 'Albergue Espanhol' (Spanish Auberge') positive positive +This beautiful story of an elder son coming home, and learning to love and be a part of all those things that he left home to get away from, is poignant and moving. It shows a society that is perhaps strange to us in the Western world, with a sense of family that we have lost. The story is beautiful, sad, and at times funny and comic. It has a feeling of realism that we don't seem to see any longer in our western movies.

The acting is unusual, in that as the movie progresses, it almost gives the impression that it is not acting, but a documentary of ordinary people. This is brilliant directing and movie making.

Would love to see more movies by this director. positive positive +Thank the Lord for Martin Scorsese, and his love of the movies.

This is the perfect introduction into the mind of the most talented American artist working in cinema today, and I couldn't recommend it more. I was enthralled through the whole thing and you will be too. Just relax and let him take you on a ride through his world, you'll love it. positive positive +Tom the cat, Jerry the mouse, and Spike the Dog (here called Butch, his third name, his second being 'Killer') decide to sign a peace treaty to all love each other. It's weird and a bit unnatural seeing them all buddy buddy like this and their friend's seem to think so too. But by the end thanks to a disagreement over a steak, everything is back to normal and all is how it should be. This short is the second one of three on the new Spotlight DVD to be edited and I have no clue why this one was. This cartoon can be found on disc one of the Spotlight collection DVD of 'Tom & Jerry'

My Grade: B positive positive +I was a bit surprised to see all of the hate comments on here. Sure it's not the best kid's show, but don't people stop despising Barney this much after the fifth grade?

Okay, everyone hates Barney. Okay, I think his voice and songs are annoying. Okay, he's kinda creepy and strange. I'm fourteen years old, so I know well enough. But here's the thing. Kids? They LOVE this show.

When I was a little kiddie of two or three, my parents spent more time chasing me around the house than they did anything else. Nothing could hold my attention for more than ten minutes. Face it, that's how toddlers are. Even the most patient ones can't sit still long enough to give their parents a break. There's too much to do and see and explore, too much trouble to get into.

And then came Barney. I don't know exactly what it is about the purple dinosaur that's so amusing to children, but they sure do love it. I know I did. I was hooked on the show, and wanted to watch it over and over. Yes, the songs kind of drove my parents nuts, but to be able to watch their kids learning, and being excited over something that can really hold their attention span, it's worth it. I learned my ABCs and 123's, the magic words and brushing your teeth. I'd grown out of it by five or six, of course, but by that point at least I was a little more patient, and gave my parents a break.

My nieces and nephew all went through the Barney stage growing up, much to their mother's delight. I know what keeps Barney on the air. He entertains. Of course there's Big Bird, Ernie, and Oscar, and they're great, too. But at the toddler stage, it seems that more kids prefer the big singing dinosaur. And that's enough for me. positive positive +Stephane Audran is the eponymous heroine of this beautifully measured study of a small Danish community towards the end of the last century. Two beautiful and musically talented sisters give-up their own prospects of happiness and marriage in order to look-after their ageing father. One day, a French woman, Babette, comes to work for them. After some years she wins the lottery and is determined to do something for the sisters who have taken her in. Her solution is to prepare an exquisite and sumptuous feast, which changes the lives of all those invited. This is a film about human and cultural interaction, reflected in the changing language of the dialogue from Danish to French, and especially between the dutiful sobriety of Protestant northern Europe and the sensuousness of the Catholic south. It is also about human needs, and how warmth and kindness can be expressed and stimulated through the cultivation of the senses. A profoundly uplifting film. positive positive +Eisenstien's 'Potempkin', (Bronenosets Potyomkin), is among the finest films ever made and possibly the best of the silent era. Eisenstien was a pioneer of film form and his use of montage editing has influenced films to this day. The Odessa Steps massacre footage is as powerful today as it was when first seen over 70 years ago. DO NOT pass up the chance to see this film! positive positive +The portrayal of the Marines in this film is spot on. The action scenes are some of the best ever produced in accuracy of content. The uniforms and weaponry of both the U.S. and German troops were perfect. The costumes and weaponry of the Berbers were perfectly accurate as well. This film could easily be used to teach militaria of the period and has been used by the USMC Academy for this purpose. The scenes depicting Roosevelt shooting and the rifles he was using was beautiful. Procuring so many period weapons in such good shape is testament to the attention to detail and presentation this film should be noted for. Millius is a genius. positive positive +I really enjoyed this debut by Ring director, Hideo Nakata. If you've seen Ring beforehand then you'll be familiar with the style and idea of this flick. It's got a subtle spookiness about it that works better than the constant (and predictable) stingers that infest most mainstream movies of this genre. If you like films that give you the chills, then you will probably like this one. A good, creepy debut by Hideo Nakata. 8/10 positive positive +The play is cleverly constructed - begin with the porter, Rainbow - & let the audience see the background unfold through his eyes. The film follows the play with great faithfulness, working, no doubt, on the simple premise that it couldn't be bettered. Now throw in a host of superb character actors - & the result is a resounding triumph.A definite must-see. positive positive +Non-stop action and just about every conceivable (and inconceivable!) sci-fi/horror cliche can be found in this blatantly silly but fun, big-budget epic. The pace never lets up, especially in the shorter US version, which tightens things up considerably. positive positive +I have never missed an episode. David Morse is a wonderful actor and I am hoping that this show can survive. It certainly beats out that CSI crap. I love the storyline and would actually like to see him as a cop again someday. I give the show a 10. positive positive +great historical movie, will not allow a viewer to leave once you begin to watch. View is presented differently than displayed by most school books on this subject. My only fault for this movie is it was photographed in black and white; wished it had been in color ... wow ! positive positive +This is a film that every child should see before they grow and get distorted often passed down ideas from generation to generation of family. I grew up in two different places although only 20 miles apart. I went to school & had friends of every color creed & religion for the first 8 years of my life. Then I moved to hillbilly country (although not anymore) where it was very unusual to even have one African-American kid in your class. My graduating class in high school had 2 or 3 African-Amercians (god why can't I just say Black? You can call me a honky or whitey or whatever! all of this political correctness peeves me as it does most others!) Anyway back to the film give this a try to see what happens when people get a distorted view or just what ignorance or a lack of understanding does to a culture or a country! This is an excellent film everyone should see especially children. positive positive +

eXistenZ is simply David Cronenberg's best movie. All the people compare it to the Matrix. They're not even similar. If you enjoyed Cronenberg's other works just a little bit, you'll love this one... positive positive +This movie kicks ass, bar none. Bam and his crue have out done themselves with this film. Since I got the DVD (4 days ago) I have watched it three times and it gets better every time I watch it. I can't wait for Grind to come out in theaters. If its anything like Haggard it will be worth the wait.

Thanks, JTcellphone positive positive +Star Trek: Hidden Frontier is a long-running internet only fan film, done completely for the love of the series, and a must watch for fans of Trek. The production quality is extremely high for a fan film, although sometimes you can tell that they're green-screenin' it. This doesn't take away from the overall experience however. The CGI ships are fantastic, as well as the space battle scenes... On the negative side, I could tell in the earlier episodes (and even occasionally in the newer ones) that some of the actors/actresses are not quite comfortable in their roles, but once again, this doesn't take away from the overall experience of new interpretations of Star Trek. The cast and crew have truly come up with something special here, and, as a whole,I would highly recommend this series to fans of The Next Generation and Deep Space 9. positive positive +The entire civilized world by now knows that this is where Emil Sitka says his immortal 'Hold hands, you lovebirds.' But Shemp Howard, Professor of Music, steals the show. Watch him tutoring Dee Green as she fractures the 'Voices of Spring.' Watch Shemp as he shaves by a mirror suspended from the ceiling by a string. Watch him as he gets walloped by Christine McIntyre. Watch him, and you will laugh and learn. Moe is no slouch either. Watch him as he attempts to induce a woman to sit on a bear trap. Larry, as usual, is the Zen master of reaction. All in all, one of the very best Stooge shorts. You won't find one weak moment. positive positive +Just read the original story which is written by Pu in 18th century. Strikingly, the movie despict the original spirit very well, though the plot was modified tremendously. The film language, the rhythm, the special effect are all from hollywood, but still there is a chinese core. It is amazing how Hark Tsui managed to combine them together. The result is pure beauty. positive positive +The best bit in the film was when Alan pulled down her knickers and ran the cut throat razor over her bum cheeks and around her bum hole. It was also brilliant to see Alan's bum going up and down like a fiddler's elbow later on in the film.

Alan was tough as hell in it like when he got annoyed and pushed the four eyed wimp onto the sofa.

I've been laughing for days about the cut throat razor bit. A brilliant idea by the script writers. Alan must be brought back into Eastenders so he can do the same to Peggy.

Alan is back, and this time he's armed with a razor. Watch out if you're a girl and he finds you and pulls your knickers down. positive positive +Intense domestic suspense with the mistress of the house (Lupino, excellent as always) threatened by a psychotic migrant housecleaner (Ryan). The 2 masters of the genre are at their heady, erotic best as they match wits, emotions, and wills in a bizarre hostage situation right out of the Saturday Evening Post. Richly hued B & W photography with an unusual amount of close-up head shots. The young girl who teases Ryan is really well directed here. Improbable, but satisfying suburban melodrama. positive positive +I remembered seeing this movie when i was a kid one day on the wonderful world of Disney. This movie has been in my memory for over 30 years and I have been looking for it. I would have to say that out of all the kids movies I saw back then,, this one stuck out more than all of them and after only seeing it once, I really hoped I would get to see it again. The story and images of this movie have been burned into my memory. To this day, I never did see it after that day back in the 70s, in fact, I never remembered the title until an internet search earlier today disclosed it to me. I loved it and want my kids to see it.Does anybody know where I can find it? positive positive +I made a promise that if ever I posted a comment that was less than complimentary, then later felt different about it, I would return and make known my change of heart. So far, this is the first time it's happened.

I'm really starting to enjoy Hack. Something has clearly changed. The storylines seem to be much stronger. The plot may still be a tad surreal, but the characters have developed so much more depth that a surreal plot can be forgiven. I attribute this to fine acting.

Not every show can come charging out of the starting gate a winner. Some need time to pick up speed. I'm glad I kept watching this program, and I really hope it lasts. positive positive +A true stand out episode from season 1 is what Ice is.An artic location,claustrophobic conditions and a general feel of paranoia looming in the freezing air makes this is a must see episode from season one.The previous occupants of the artic station Mulder,Scully and four others go to have either killed each other or killed themselves.A virus is bringing out murderous aggression and is responsible for bringing out deadly paranoia and fear.Mulder and Scully actually begin to question each others sanity.Tension is that high.The writers have to receive great credit for creating that sort of scenario where the atmosphere is so tense Mulder and Scully come into conflict in such a direct manner positive positive +I love this film, it is excellent and so funny, Ben is FIT and i wouldn't mind meeting him on holiday!! I rate this film a 10 because its gr8 and i hope they never re make it because it would never be the same. Funny bit is wen Andre is looking at the moon,and he shouts at Nicole to 'come outside and look at the moon' that bit always makes me laugh and never gets old. Another thing is Nicole looks a lot older then 14... but shes a gr8 actress. But i need help with something Does n e 1 no the name of the song played at the end wen Nicole and Andre are dancing??? Its really bugging me because i want 2 no what it is because its a nice song!! positive positive +For a made for TV movie I thought that it was a great popcorn movie - don't expect anything to be very accurate and don't expect any award winners in this bunch but I do recommend this for a TV type version somewhat like 'The Replacements'. Look for cameos from real NFL players & officials. positive positive +I thought this to be a pretty good example of a better soft core erotica film. It has a reasonable plot about the madame of a bordello caught up in a police scheme to nab a wealthy crook.

Hardcore porn star Chloe Nichole again shows her genuine acting ability. She will occasionally appear in soft core such as 'Body of Love' and 'Lady Chatterly's Stories. Nicole Hilbig, on the other hand, leaves something to be desired in her role as the female cop. positive positive +This is one of the finest music concerts anyone will ever see and hear. I grew up when All My Lovin' was brand new and to hear it again today by the original artist today is a measure of Sir P Mc's power to spellbind any crowd of any age. This doco goes way behind the scenes to show us life on the road not just for the band but everyone down to the roadies. I saw this guy live in Aussie 1975 and can assure you his performance here on this DVD is no less than he gave almost 30 years ago. I have a huge 5.1 surround sound system that does do this justice and would recommend this anyone especially a Beatles fan. This is the closest you will get to a Beatles concert today. Singer, Songwriter, lead/rhythm/ bass guitar, piano, ukulele, just pure genius. There are few entertainers who can stand alone with one instrument and hold the crowd in his hand. If you want note perfect music, buy a studio recorded CD. If you want to hear raw music as it is intended and spontaneous to the crowd, with all the excitement and emotion of the crowd-this DVD is for you. positive positive +Octavio Paz, Mexican poet, writer, and diplomat, who received the Nobel Prize for Literature in 1990, said about 'Nazarin': 'Nazarin follows the great tradition of mad Spaniards originated by Cervantes. His madness consists in taking seriously great ideas and trying to live accordingly'. A humble and spiritual priest (Francisco Rabal in a wonderful performance) attempts to live by the principles of Christianity but is cast out of his church for helping a local prostitute by giving her a shelter after she had committed a murder. Nazarin wanders the country roads of the turn of the 20th-century Mexico, offering help to poor and begging for food. His two followers, a murderous prostitute Andara and her sister Beatriz who is a failed suicide desperately searching for love, consider him saint but it does not prevent him from hatred and humiliation from both the church and the people he meets on the road. He ends up beaten in prison and begins to question his faith for not be able to forgive his attacker.

Bunuel tells the story in a manner of a Christian parable masterfully and uniquely combining admiration and irony for the main character and strong criticism of formal religion and hypocrisy. The film is simple and profound as well as beautiful, ironic, and heartbreaking.

I consider Bunuel one of the best filmmakers ever. I've seen twenty of his films and they all belong to the different periods of his life but they have in common his magic touch, the masterful combination of gritty realism and surrealism, his curiosity, his inquisitive mind, his sense of humor, and his dark and shining fantasies. With great pleasure I am adding little seen and almost unknown but amazingly candid and touching surrealistic tragic-comedy 'Nazarin' to the list of my favorite films. positive positive +My girls 4 and 6 love this show. We stumbled across it on a PBS station and they always ask when its on now. It reminds them of their Grandma that takes care of them everyday in the summer. Its funny too and sometimes they can't stopped talking about one scene or another. I would definitely recommend this show to all young kids. It is very clean and shows you to slow down and its not about watching TV all day long. When Nana reads a story it is slow and she talks about each page with Mona. It reminds me to slow down when I read the next book to my girls at bedtime and talk about the book instead of going through it quickly just to get them to sleep. positive positive +I thought the movie was actually pretty good. I enjoyed the acting and it moved along well. The director seemed to really grasp the story he was trying to tell. I have to see the big budget one coming out today, obviously they had a lot more money to throw at it but was very watchable. When you see a movie like this for a small budget you have to take that in to account when you are viewing it. There were some things that could of been better but most are budget related. The acting was pretty good the F/X and stunts were well done. A couple of standouts were the guy who played the camera asst. and the boy who played the child. These kind of films have kept LA working and this is one that turned out OK. positive positive +A masterpiece.

Thus it is, possibly, not for everyone.

The camera work, acting, directing and everything else is unique, original, superb in every way - and very different from the trash we are sadly used to getting.

Summer Phoenix creates a deep, believable and intriguing Esther Kahn. As everything else in this film, her acting is unique - it is completely her own - neither 'British' nor 'American' nor anything else I have ever seen. There is something mesmerizing about it.

The lengthy, unbroken, natural shots are wonderful, reminding us that we have become too accustomed to a few restricted ways of shooting and editing. positive positive +Begotten is one of the most unique films I've ever seen. It is more, to me, a study of sound, light and dark, and movement than a real story. The type of thing you see as a video instillation at the museum of modern art than a film enjoyed at the local theater. I'm not going to try to interpret the images of the mother nature, the beasts in cloaks, the twisted and tortured body of her 'child'. Some things just defy interpretation. positive positive +The movie '. . . And The Earth Did not Swallow Him,' based on the book by Tomas Rivera, is an eye-opening movie for most people. It talks about the exploitation that migrant farmworkers go through in order to survive.

Sergio Perez uses impressionistic techniques to depict Rivera's story. He uses sienna and gray-scale effects to depict some of the scenes, and he uses specific photographic techniques to make the scenes look like they took place in the 1950s.

Perez also gives life to the film by using time-appropriate music, including balladeering and guitar playing.

I feel that it is a good film to view because it shows in detail how migrant farmworkers live, what they do for entertainment, and their beliefs. positive positive +In this film I prefer Deacon Frost. He's so sexy! I love his glacial eyes! I like Stephen Dorff and the vampires, so I went to see it. I hope to see a gothic film with him. 'Blade' it was very 'about the future'. If vampires had been real, I would be turned by Frost! positive positive +A delightful gentle comedic gem, until the last five minutes, which degenerate into run of the mill British TV farce. The last five minutes cost it 2 points in my rating. Despite this major plot and style flaw, it's worth watching for the character acting and the unique Cornwall setting. Many fine little bits to savor, like the tense eternity we all go through waiting for the bank approval after the clerk has swiped the credit card...made more piquant when we're not - quite - sure the card is not maxed. positive positive +Before I saw this film, I read the comment of someone who wasn't very fond of it. This I must admit made me apprehensive to dedicate 1 hour and 48 minutes of my life to it, but I'm glad I did. Ryan Gosling is a fantastic actor, I especially loved the Believer. Don Cheadle was also fantastic. The film presented an interesting view on life and death. It was very touching and very sad, yet it kept me interested, which most touching stories cannot do. It is a film that reckless of whether or not you like it, you should see it. It was unique,and I don;t think that anyone will ever be able to duplicate it. All of the young actors did surprisingly well given the subject matter and the emotion that must have gone into it. I was pleasantly surprised. positive positive +I love this film (dont know why it is called Pot Luck in England - what a rubbish, and entirely irrelevant name!), I spent 8 months in Barcelona, not as an Erasmus student but living with other foreigners, so it felt just the same. It brings back so many great memories of the fun I had with all the friends I made from different countries, and of the city itself. I really want to see the followup 'Les Poupees Russes ' (the Russian Dolls), I'm guessing it wont be released here? My brother saw it in France and said it def wasn't as good, but had a lot of the same cast (the Brother of Wendy gets married apparently). Anyone know anything about this film? and whether it may be released? positive positive +In addition to being an extremely fun movie, may I add that the costumes and scenery were wonderful. This kind, fun loving woman had a great deal of money. Unfortunately, she also had two greedy daughters who were anxious to get their hands on her money. This woman was lonely since the death of her husband. He had proposed to her in a theater that was going to be torn down. To prevent that, she bought it. Her daughters were afraid she was throwing away 'their' money and decided to take action. The character actors in this film were a great plus also. I would give almost anything to have a copy of this film in my video library, but as of yet, it's never been released. Sad. positive positive +Here in Germany 'King of Queens' has a big big cult status! Nearly every teenager (and adults) watch this sitcom. It's really awesome!! Better than the other horrible American sitcoms like 'Full House' or 'Set by Step' (the only series, who is still OK, is 'Al Bundy'). There haven't been an Amercian sitcom in Europe who was as effective as this really funny show!! Kevin James and Leah Remini as Doug & Carrie Haffernan are the craziest couple I know, Jerry Stiller as Arthur is the funniest 'grandpa' I know, and Victor Williams and (especially) Patton Oswalt as Deacon & Spence are the most different, but funny guys I know. I watch it as often as I could, and I still haven't enough, good humor! positive positive +A thin story with many fine shots. Eyecatchers here are the three ladies from the D.R.E.A.M. team. And, to a lesser extent, the guy accompanying them. Traci Lords convincingly acts out the female half of an evil business-couple intending to poison the world with antrax. Original in this movie is the bra-bomb, put on a captured member of the D.R.E.A.M.-team. Of course she is rescued by a co-member, three seconds before explosion. Although clearly lent from James Bond's 'Goldfinger' and 'You only live twice', such a climax always works well. All in all a nice watch, James Bond replaced here by three Charlie's Angels. positive positive +There's not a dull moment in Francois Ozon's 'Robe d'Ete'. It's surprising how much is packed into this short film. While reclining on a deserted beach after a nude swim, a young gay is approached by a girl seeking a light for her cigarette. She invites him to make love in a wooded area near the beach. On returning to the beach. they find that all his clothes have been stolen. She lends him a summer dress to cover his nakedness and requests he return it next day. He rides his bike back to the holiday cabin dressed as a girl. His gay companion is sexually excited. Early next morning the young man returns to the sea and bids farewell to the girl whose holiday has ended. She suggests he keep the dress as a memento of their summer romance. It's a light-hearted film that captures the spirit of summer holidays by the sea, but perhaps not for those who are embarrassed by nudity or homosexual themes. positive positive +Five fingers of death: Although previous Shaw Martial Arts epics had shown the influence of the American cowboy genre, none had paid such open tribute to it as this one, especially in the saloon fight scene. And though Shaw Bros. films had borrowed from the Japanese chambara (swordfight) genre before, none had done so with such success as this one. i suppose some of this had to do with the fact that the director originated from Korea, and thus brought a non-Chinese perspective to such borrowings, which certainly raises some interesting questions about culture; but in any event, this film presented real innovations in technology and technique in Hong Kong action films. for the first time in Hong Kong, the camera was given access to the whole of any given set, which meant shots from many different angles, such as the low-angle interior shot showing the ceiling of a room (the original American innovation of which usually credited to John Ford), or the high angle long shot that allowed visualization of a large ground area, or the frontal tracking shot.

It is true that this was not the first hand-to-hand combat film of real cinematic substance - that remains Wang Yu's 'Chinese Boxer'; but on a commercial level, Shaw Bros. were right to choose 'Five Fingers' as their first major release to the West because, one might say, it was the 'least Chinese' of their action films, that is, the least dependent on purely Chinese theater traditions. Although this made no impression on the American critics at the time (who universally trashed the picture), it wasn't lost on American audiences, especially among African Americans, whose culture had always been - by necessity - an eclectic patchwork of borrowed elements and innovation. In 'Five Fingers' they were given the opportunity to discover the core of the story, in the earnest young man forced to make the extra effort to overcome social barriers and betrayal in order to have his merit recognized. This seems to be an issue universal to Modernity, but each culture has its own way of expressing and resolving it; 'Five Fingers' presented it in a way many Americans could relate to as well as Chinese.

So is the film now only of historical value? Certainly not. For one thing this issue hasn't gone away. Secondly, some of the innovations leave much of the film looking as fresh today as it did on first release. Also the action is well-staged, and the performances, though a little too earnest, are crisp. The film is a might over-long, but the story does cover a lot of ground. And there are marvelous set-pieces through-out, such as the saloon confrontation, the fight on the road to the contest, the odd double finale.

definitely looks better on a theater screen, but still impressive for home viewing: recommended. positive positive +What makes this documentary special from a film-making perspective is its passiveness; which engages the audience to bask in the delight of gypsy music. It innovates the form of documentary while showcasing a tapestry of sound and movement that invites us to celebrate the primal similarity found within the traveling music of (historically) traveling peoples.

Indeed the film itself is a single 'take' of sweeping movement that travels the globe and transitions effortlessly from one rhythmic culture to the next.

Watching this film, one's breath is taken away by the simple beauty in our common connection to music, rhythm and dance. If there is a more deeply spiritual, flowing homage to the sound and movement of gypsy cultures, it has yet to be filmed. positive positive +SPOILERS Every major regime uses the country's media to it's own ends. Whether the Nazi banning of certain leaflets, or the televised Chinese alternative of Tianamen Square, Governments have tried to influence the people through different mediums since the beginning of time. In 1925 though, celebrating the failed mutiny of 1905, the Russian Communist Government supported the creation of this film, Battleship Potempkin. A major piece of cinematic history, it remains powerful and beautiful to this very day.

Set aboard the Battleship Potempkin, the crew are unhappy. In miserable living conditions and with maggot infested food, they are angry at their upper class suppressors. Now though, after the rotten food, enough is enough. Led by Grigory Vakulinchuk (Aleksandr Antonov), the crew turn upon their masters and fight for their freedom.

As far as propaganda goes, 'Battleship Potempkin' is perfect. Presenting a positive light on the first, unsuccessful, communist mutiny, the film was a useful Soviet tool. Eighty years after the films release though, and the USSR has disappeared completely off the map. The amazing thing about this film though is that whilst the country it's message was intended for has disappeared, the film remains a powerful and worthy piece of cinema.

Written and directed by Sergei Eisenstein, the film is surprisingly a joy to watch. It is true, that it is far from what we would nowadays consider 'entertainment', but the film is a beautiful piece of art.

Whether it be the scenes aboard the boat or the often talked about scene on the steps of Odessa, everything about this film is perfectly made. The music is powerful and dramatic, the lighting is flawless, even the acting, whilst slightly overdone, is perfect for the piece. Basically, there is no way to fault this film's end product.

It's impossible to know how the Russian people received this film upon it's release. Praising a country which has not existed for fifteen years, it's difficult for us to know the full spirits that the film inspires. As a piece of art though, it is magnificent. Beautiful from start to finish, it is far from an easy watch, but it is well worth the effort. positive positive +Dead Man Walking, absolutely brilliant, in tears by the end! You can not watch this film and not think about the issues it raises; how can you justify killing (whether it be murder or the death penalty) and to what point is forgiveness possible (not just in a spiritual way). Don't watch this film when your down! But WATCH IT!!! positive positive +I have been watching this show since I was 14 and I've loved it ever since. I love this show because it's just plain funny! You will enjoy this show a lot because it shows something new and funnier everyday and my favorite part is when Benny always has her last comments on George after every punchline about his fat giant head.*laughs* I would laugh and I'd watch it with my friends at home it'd be like we were watching a funny movie but short. Love George Lopez. Funny, talented,funny,spectacular. This is a cool-funny-family comedy series enjoyable to everyone and you will definitely enjoy it--I did! And if you haven't watched it yet I suggest that you start watching because you wouldn't want to stop watching it. Even though there aren't anymore brand new episodes I still enjoy the re-runs. Still funny. Never wears off.

9/10 positive positive +This movie is very funny. Amitabh Bachan and Govinda are absolutely hilarious. Acting is good. Comedy is great. They are up to their usual thing. It would be good to see a sequel to this :)

Watch it. Good time-pass movie positive positive +This movie was released originally as a soft 'X', apparently with the explicit sex deleted. Later, the producers 'relented' (smelled money) and re-released it with the excised scenes restored (apparently only about 3 minutes). I guess since Kristine was of age, it was held against her and her promising career came grinding to a halt. I guess its all in the timing (witness Pam Anderson's career)--but Ronald Reagan was in charge during Kristine's debacle (we had not heard about Nancy Reagan's affairs), Bill Clinton and Monica Lewinski were in full swing during Pam's 'coming out'.

The sex is just icing on the cake, both version satisfy. This naughty musical is way above similar of others that were released at the same time. positive positive +Gundam Wing is a fun show. I appreciate it for getting me into Gundam and anime in general. However, after watching its predecessors, such as Mobile Suit Gundam, Zeta Gundam, and even G Gundam, I find Wing to be Gundam Lite.

Characters: An aspect long held by Gundam is to have their characters thrust into difficulties and grow into maturity. This does not happen in Wing. Heero is top dog at the beginning, and he's top dog at the end. Personalities do not change, growth is never achieved. The best character is Zechs, who is for all intents and purposes a hero throughout most of the series. But suddenly the series betrays him and turns him into a villain for no apparent reason.

Mecha: Wing has great suit designs. The Gundams are super cool, with the Epyon being my favorite. I even consider a few of the OZ suit designs to be on par with some of the classic Zeon suits. But sweet suit designs doesn't quite save the series from boring characters.

Conclusion: In the end, Wing has cool fight scenes, though riddled with recycled animation, but shallow plot and character development. Enjoyable, but not moving like previous Gundam outings. positive positive +The daughter's words are poetry: 'I can't go on another year. I got to get to a hotel room.' 'I lost my blue scarf in a sea of leaves.' 'The marble faun is moving in...he just gave us a washing machine. That's the deal.' 'I'm pulverized by this latest thing.' '..raccoons and cats become a little bit boring for too long a time.' '..any little rat's nest, mouse hole I'd like better.' And there is wisdom in the mother's words: '...yes the pleasure is all mine.' 'This little book will keep me straight, straight as a dye.' 'Always one must do everything correctly.' 'Where the hell did you come from?' '...bring me my little radio I've got to have some professional music.' 'I'm your mother. Remember me?' The mother/daughter relationship is drawn in this magnificent film. This is a Mother's day film. positive positive +At long last! One of Michael Jackson's most well known and beloved films comes to DVD! In Michael Jackson Moonwalker, (Michael Jackson) stars as Michael. A man with powers that are not of this world. Michael must save Sean (Sean Lennon), Katie (Kellie Parker), Zeke (Brandon Quintin Adams), and the rest of the worlds children from drug lord Frankie Lideo aka Mr. Big (Joe Pesci) who's mission in life is to get all of the worlds children hooked on drugs! A NOTE TO PEOPLE IN THE USA LOOKING FOR THIS FILM ON DVD: Make sure when buying this film on DVD you buy Warners Product #WK00817 as NTSC Region 3 which plays on North American NTSC Region 1 players. positive positive +*POSSIBLE SPOILERS*

I thought Pitch Black to be quite enjoyable, with some nice effects--I liked the larger beasts, although they aren't a patch on the Aliens from the Alien series. It had quite a good atmosphere, which I felt Vin Diesel helped contribute toward.

One thing which kind of stumped me was how it rained. If the planet has three suns and is in almost continuous daylight, where did the moisture come from to form clouds and therefore rain?

I liked the fact that Fry died at the end--it reminded me of the New Hollywood films of the 1970s, with the main heroine not making it to the end. positive positive +Every review I have read so far seems to have missed a crucial point. Shakespeare wrote for the accent and the pronunciation just as he did for northerners in other plays. The Scottish accent changes the emphasis and rhythm of the language and affects profoundly what is said and the way it is taken. So, listen again and note the difference. The play is well done and the rhythm of the words are so much better than that provided by people using received, polite, well- enunciated English. I am reminded of the time a teacher in a school in Leicester, unknowingly, asked me, age 14, to read a piece of Walter Scott which was written in the tone of the Border. I come from the Border and when I read it as it should be read it made all the difference. positive positive +People call this a comedy, but when I just watched it, I laughed

only once. I guess the problem is that I first saw it when I was 14,

and I wasn't old enough to understand that it wasn't meant to be

taken seriously. There were quite a few scenes that were meant

to be funny, but I cared too much about the characters to laugh at

them.

I suggest that you watch this film next time you're falling in love,

and try to take it seriously. I think you'll find that, despite a few silly

flaws, it's one of the most moving love stories you've ever seen. positive positive +OK, Anatomie is not a reinvention of the Horrormovie-Genre, but nevertheless it is well done. Good actors (Potente and Führmann at first) and some nice ideas made me happy. Maybe i would have been not so positive if this wasn´t a german movie, but who cares. It is good to see familiar faces in a good, thrilling story, with some gore and some good jokes in it. All of you complaining about the dubbing: i didn´t see a dubbed version (of course) but i believe that it is not easy for you to watch dubbed movies. We (Germans) are used to watch movies like that, so it´s not a big problem. But try to watch in german with subtitles. The actors are really good! positive positive +ALEXANDER NEVSKY is nothing short of a grand film on a grand scale. The film opens a window to a world and culture most Americans will never become acquainted with. And much has been said and written regarding the film's thinly veiled patriotism in the face of imminent war with the German Nazis.

By US standards the acting is a bit stilted. The screenplay is short on words and big on visuals and action. And while the action can become tiresome, the visuals are often stunning. Direction is incredible.

On another note, fans of Ralph Bakshi animation might notice that he stole a lot of his visuals for WIZARDS directly from a copy of ALEXANDER NEVSKY. positive positive +Trudy Lintz (Rene Russo) was one very fortunate lady many years ago. She was the wife of a wealthy doctor and had lots of extracurricular money. Her passion was animals and she devoted herself to providing a sanctuary for the furry ones on her property grounds. Trudy also raised two chimps in her home to be more like children. They dressed in clothes and had many amenities. One day, she learns of an abandoned baby gorilla. Knowing nothing about the large apes, she relies on her husband's medical abilities and expert advice to save the gorilla's life. Once out of danger, Trudy decides she will raise the gorilla, also, as one of her children. This works well for years and Buddy, the gorilla, is truly a remarkably intelligent addition to her home. But, Buddy is also a gorilla and his strength and curiosity become quite enormous. Will Trudy be able to keep Buddy under control? For those who love animals, Buddy is a must-see movie. Based on a true story, Trudy and her ape develop a relationship that is unique in the annals of animal history and lore. Of course, Buddy is not a real gorilla but a mechanical one, in the film, but he is very close to seeming totally real. Russo gives a nice performance as a lady ahead of her time and the supporting players are also quite nice. The costumes are exemplary, as befitting the earlier era of the story, and the settings and production values outstanding. But, most importantly, animals are here in abundance, not only Buddy, but the adorable chimps, the ducks, the rabbits, and so forth. For those who want to watch a film and be transported to animal heaven, here on earth, this is a great movie choice. All animal lovers, and even those who just want to watch a great family film, will go 'ape' over Buddy. positive positive +This is perhaps the best rockumentary ever- a British, better This Is Spinal Tap. The characters are believable, the plot is great, and you can genuinely empathise with some of the events- such as Ray's problem with fitting in the band.

The soundtrack is excellent. Real period stuff, even if it is in the same key, you'll be humming some of the songs for days. What I liked was the nearly all-British cast, with some of the favourite household names. Ray's wife is priceless...

The film never drags, it just goes at the right pace, and has some genuinely funny sections in it. A generator of some really good catchphrases!

It's a hidden diamond. positive positive +I found this movie to be a simple yet wonderful comedy. This movie is purely entertaining. I can watch it time and time again and still enjoy the dialog and chemistry between the characters. I truly hope for a DVD release! positive positive +This episode introduced the Holodeck to the TNG world. The Jarada have to be contacted and a precise greeting must be delivered or it would greatly insult them. A tired Picard decides to take a trip into the Holodeck and a wonderful adventure begins. The settings are superb and almost movie like. Alas, the Jarada probe sent shortly thereafter damages the holodeck and all it's safety devices stop working. Picard and now guests must outwit the mobsters of gangland 40s America and return to the Jarada rendezvous. Picard greets the Jarada correctly and a new day dawns between Humanity and the Jarada. This gem of a first season episode set the holodeck for many interesting and unusual adventures to be had there positive positive +since the plot like Vertigo or Brian DePalma's Obsession, till to the score by Peter Chase that reminds the sounds of Bernard Herrmann, this little pearl seems to be sight from fews. Remarkable playing by Romane Boeringer and Vincent Cassel in a bohemian Paris portrayed from the famous Thierry Arbogast. A little cult! It is a pity that the only version available on DVD are the french one and the English. Directed by a controversial artist as Gilles Mimouni, it could be considered a little homage to the Cinema masterworks. It is a french movie, and as all of them, not for all, we could say a d'essai cinema. Even if not so publicized, it could be remembered for several reason. positive positive +I switched this on (from cable) on a whim and was treated to quite a surprise...although very predictable this film turned out to be quite enjoyable...no big stars but well-directed and just plain fun. With all the over-hyped crap that is out there it is very nice to get an unexpected surprise now and then... and this little film fits the bill nicely. 9/10 positive positive +The National Gallery of Art showed the long-thought lost original uncut version of this film on July 10, 2005. It restores vital scenes cut by censors upon its release. The character of the cobbler, a moral goody-goody individual in the original censored release of 1933 is here presented as a follower of the philosopher Nietsze and urges her to use men to claw her way to the top. Also, the corny ending of the original which I assume is in current VHS versions is eliminated and the ending is restored to its original form. A wonderful film of seduction and power. Hopefully, there will a reissue of this film on DVD for all to appreciate its great qualities. Look for it. positive positive +Years ago, with 'Ray of Light,' Madonna broke through to a truly amazing level of musical artistry, and since then she's occasionally transcended even her own standards. This concert production, with its hypnotic editing, amazing dancing, hallucinatory lighting effects, and trance-inducing arrangements, blows away all previous efforts. Madonna's apparent ambition -- to single-handedly bring about world peace through music and dance -- may seem hubristic or absurd to some. But hell, somebody's got to do it! Thanks to her assemblage of the remarkable talent of everyone involved in this production, 'Confessions Tour Live from London' places her once again among the top ten artists working anywhere in the world in any medium. positive positive +Now I had the pleasure of first viewing Contaminated Man when it premiered on TV back in December of 2000.

An infectious disease expert (William Hurt) looses his family when an unknown disease enters his home and kills them. Now some years later he is now in Russia or someplace. I'm not sure where exactly, all I know is it takes place somewhere in that area. Anyway, because of budget cutbacks at an infectious disease laboratory, they are forced to lay off most of their workers. One of them, a disgruntled security guard named Joseph Muller (played Peter Weller, best known for his role as the indestructible Robocop) goes in there and demands that they give him his job back. He needs this job because he is divorced and he needs it to pay child support. So he goes in there, a fight breaks out, and some things get knocked over, dangerous things. It's soon discovered that Muller has been infected with a deadly pathogen. In fact it's so deadly, one drop of his blood will kill a person in matter of seconds. Soon word gets out and the disease expert (Hurt) is called in to investigate and he later teamed up with an American reporter. Now Muller is determined to get home to see his wife and son and will stop at nothing even if he has to infect the entire Russian population.

Now as I said before this film is a lot like Falling Down. We have a disturbed person (Weller here, Michael Douglas in Falling Down) who will stop at nothing to accomplish there goal even if they have to kill a few people in the process. Next we have a hero-type person (Hurt here, Robert Duvall in Falling Down) who is both sympathetic and determined to stop the antagonist.

Contaminated Man is in fact a very good film with a good story line and some very good performances.

8/10 positive positive +Buster Keaton was finding his feature length voice in 'Three Ages.' There are some fine sequences, but it doesn't quite hang together. The 'chariot race' in 'Three Ages' is hilarious. Included are 2 shorts, one of which, 'The Goat,' is excellent. positive positive +This movie is actually FUNNY! If you'd like to rest your brain for an hour so then go ahead and watch it. It's called blonde and blonder, so don't expect profound and meaningful jokes. What this movie and enjoy all the stereotypes we have about two blondes. It's just a funny movie to watch on a date or with a company of friends (especially if you're not too sober. Lol ) Pamela and Denise are still pretty hot chicks. It's a mistake to judge this movie as a piece of art. C'mon, this movie is about BLONDES! It's supposed to be light, funny and superficial. One more thing, I do not think that girls will appreciate and like this movie but guy definitely will. positive positive +This movie is great. Simply. It is rare that you find a comedy with levels, and this is a bloody good example of such. When I saw this movie first, as the credit rolled, a friend and I looked to one another and asked... 'did you just catch that?' For those doubters, look at the levels. See the comparisons between Vick and the people in the club, the DNA! See the diverse characters, each jostling for position, and if you see nothing else, see the connection between the cure of Vick and the path through the film. IT'S ALL IN VICK'S HEAD! The opening line about Vick's world. The closing scene with the camera going into Vick's head, and inside, a whole universe! Thoroughly quotable, wonderful cartoon gangsters, beautiful, beautiful, beautiful! positive positive +This is probably one of Brian De Palma's best known movies but it isn't his best. Body Double, The Fury and Carrie are better movies but this movie is better than Blow Out and Obsession. De Palma is very influenced by Hitchcock and this movie is a take off on Psycho. Angie Dickinson is a bored housewife who is thinking of having an affair and after her psychiatrist, played by Michael Caine, turns down an offer, Dickinson meets a man in a art gallery and she winds up sleeping with him. After this point it's best you don't know what happens but there is a murder and Nancy Allen is a call girl who gets a look at the killer. Dennis Franz is the detective on the case who really doesn't trust Allen and she has to find the killer herself. It's a pretty good movie but isn't one of De Palma's best. positive positive +A hot-headed cop accidentally kills a murder suspect and then covers up the crime, but must deal with a guilty conscience while he tries to solve a murder case. Andrews and Tierney are reunited with director Preminger in a film noir that is as effective as 'Laura,' their earlier collaboration. Andrews is perfectly cast as the earnest cop, a good guy caught up in unfortunate circumstances. The acting is fine all around, including Malden as a tough police captain and Tully as Tierney's protective father. The screenplay by Hecht, a great and prolific screenwriter, is taut and suspenseful, and Preminger creates a great atmosphere. positive positive +I would like to thank you for giving me a chance to be one of the first to actually view the film. It really does grip you. John Paul does eventually get to see the light and make a life for himself away from being tied to his mothers apron strings.

I imagine there must be so many families these days in the same position (especially with children leaving home older but I wouldn't say wiser) with very sad parents who haven't really got lives of their own and who make their lives a misery.

I think this film should definitely have a wider audience. I would also say that the other actors played brilliant parts as well. It is such a deep film and very moving. positive positive +Masters of Horror: Right to Die starts late one night as married couple Abby (Julia Anderson) & Ciff Addison (Martin Donovan) are driving home, however while talking Cliff is distracted & crashes into a tree that has fallen across the road. Cliff's airbag works OK & he walks away with minor injuries, unfortunately for Abby hers didn't & she ended up as toast when she was thrown from the car & doused in petrol which set alight burning her entire body. Abby's life is saved, just. She is taken to hospital where she is on life support seriously injured & horribly disfigured from the burns. Cliff decides that she should die, his selfish lawyer Ira (Corbin Bersen) thinks they should let Abby die, sue the car manufacturer & get rich while Abby's mum Pam (Linda Sorenson) wants to blame Cliff, get rich & save Abby. However Abby has other plans of her own...

This American Canadian co-production was directed by Rob Schmidt (whose only horror film previously was Wrong Turn (2003) which on it's own hardly qualifies him to direct a Masters of Horror episode) & was episode 9 from season 2 of the Masters of Horror TV series, while I didn't think Right to Die was the best Masters of Horror episode I've seen I thought it was a decent enough effort all the same & still doesn't come close to being as bad as The Screwfly Solution (2006). The script by John Esposito has a neat central idea that isn't anything new but it uses it effectively enough although I'd say it's a bit uneven, the first 15 minutes of this focuses on the horror element of the story but then it goes into a lull for 20 odd minutes as it becomes a drama as the legal wrangling over Abby's life & the affair Cliff is having take center stage before it gets back on track it a deliciously gory & twisted climax that may not be for the faint of heart. The character's are a bit clichéd, the weak man, the bent lawyer, the protective mum & the young tart who has sex to get what she wants but they all serve their purpose well enough, the dialogue is OK, the story moves along at a nice pace & overall I liked Right to Die apart from a few minutes here & there where it loses it's focus a bit & I wasn't that keen on the ambiguous ending.

Director Schmidt does a good job & there are some effective scenes, this tries to alternate between low key spooky atmosphere & out-and-out blood & gore. There are some fantastic special make-up effects as usual, there's shots of Abby where she has had all of the skin burned off her body & the image of her bandaged head with her teeth showing because she has no lips left is pretty gross (images & make-up effects that reminded me of similar scenes in Hellraiser (1987) & it's sequels), then there's the main course at the end where Cliff literally skins someone complete with close-ups of scalpels slicing skin open & him peeling it off the muscle & putting it into a cooler box! Very messy. There are also various assorted body parts. There's some nudity here as well with at least a couple of pretty ladies getting naked...

Technically Right to Die is excellent, the special effects are brilliant & as most Masters of Horror episodes it doesn't look like a cheap made-for-TV show which basically if the truth be told it is. The acting was fine but there's no big 'names' in this one.

Right to Die is another enjoyable & somewhat twisted Masters of Horror episode that most horror fans should definitely check out if not just for the terrific skinning scene! Well worth a watch... for those with the stomach. positive positive +East Side Story entertains and informs about an unknown part of Cold War history. What is the purpose of any documentary? To inform the reader through commentary and footage. This one succeeds at both. You will never find many movies whose clips you get to see in here because some of them have been destroyed and some are unaccessible.

You get to see and her music from musicals made in East Germany, Russia, and other countries under Soviet Control. It shows you that the people who made these movies and the people who watched them all look for same things a Westerner would look for, which are pretty women and men singing and dancing on the streets with smiles and (hopefully) white teeth. positive positive +This is by far one of the best films that India has ever made. Following are the plus points of the film...

Wonderful direction, cinematography and editing, the editing is very smooth and the timing of changeovers is excellent.

Even though the film shows the life of Mumbai Policemen and their hardships, it never gets boring or sympathetic.

Mind-blowing acting by lead actor Nana Patekar. One can surely hope that he gets nominated for the Best actor for the academy awards.

Controlled violence. The violence is controlled and the film doesn't become a bloody mess.

No stupid songs as in usual Indian movies.

positive positive +Those prophetic words were spoken by William Holden (as a war reporter) to the beauteous Jennifer Jones (as a Eurasian doctor), explaining his failing marriage on the beach. They start an affair, despite huge odds of adultery and racial issues. In Hollywood of the 1950s, interracial romance was allowed but only with dire consequences at the end. Beautiful Hong Kong scenery (although some beach scenes look studio-bound), a famous title tune, poetic script, lovely background music (by Alfred Newman), great costumes, outstanding performances, especially Jones (directed here by Henry King, who also did 'The Song of Bernadette - 1943, an Oscar for Jones) still make this a world-class romance weeper. positive positive +If you expect that this movie is full of action and grabbing you from the start then don't watch it. But if you like those kind of meditative movies which stick in your mind for a while, until you get the details, then you will love it. Now don't get me wrong there is action and there are things going on just not in the usual way.

Basically the plot is in a post-apocalyptic world where anyone fights in his (or their) way for survival. In this fight they lost the ability to speak... I don't want to write more to not spoil the movie for you, but trust me if you like SF-authors like Lem or Capec or even some from Orson Scott Card you will love this movie. positive positive +What can I say? The little kid inside has always had great affections for the following...giant robots, giant monsters and a cackling, megalomaniacal lead villain and this movie delivers on all counts. As an adult, it's easy to point out the many flaws in this film and to say hey it's really only a bunch of episodes taken from a children's TV series strung together. Despite all of this, I find the ending very moving and the content surprisingly adult in nature. Tremendous Fun if a little nonsensical at times. positive positive +When I found this film in my local videostore I expected it to be another cheesy American vampire film in the same vein of 'The Lost Boys'(1987).To my surprise 'To Die for' is a really good movie.It's a little bit corny at times,but still there are enough stylish set-pieces and surprises to satisfy vampire enthusiasts.This is a perfect mix of romance and horror and it's surprisingly gory at times.Highly recommended. positive positive +Not only was this movie better than all the final season of H:LOTS. But it was better than any movie made for TV I have ever seen!

Looking at the 'Top 250' I see that only one small screen movie has made it: How the Grinch Stole Christmas. I think it is time to increase that group to 2.

I will admit that the original series had several shows that were better than this, but I didn't mind. I just LOVED being able to enter the world of the Baltimore Homicide Squad again! positive positive +This review is in response to the submission wondering how factually correct the movie was...

Saw this movie last year and found it inspiring that hopeful immigrants, like my Italian grandparents who came through Ellis Island at the turn of the last century, would subject themselves to all manner of invasive inspection just to enter America.

It was certainly eye opening, since my grandparents never spoke of anything terrible while there. My grandmother was 5-years old and my grandfather 18 when they arrived.

I just returned from a trip to New York where I had the pleasure of visiting Ellis Island and the museum actually walks you through the immigration evaluation process - The filmmaker obviously did his research, right down to the medical exams and equipment, questions and puzzles. They are all there at the museum. Even the wedding pictures and the review board room -- Factually correct! Anyone who has immigrant grandparents should see this movie. Inspirational to say the least. positive positive +I have seen this film on countless occasions, and thoroughly enjoyed it each time. This is mostly due to the lovely Erika Eleniak- a great actress with incredible looks. Plus, any film starring Tom Berenger and Dennis Hopper is bound to be entertaining. positive positive +I grew up in New York and this show came on when I was four-years-old. I had half-day kindergarten and this was on WPIX Channel 11 in the afternoon. I just loved the music and stories and remember humming them around the house when playing.

I just saw part of an episode on YouTube and for a moment I could remember how it felt watching those shows as a small child. I, of course, stopped watching when I got in 1st grade because it was on before school got out (no VCR's or DVR's back then). I grew up, not realizing that the show was still on until I was in 11th grade!

I also had no idea that there are DVD's and wish my nieces and nephews were young enough to enjoy this show, but now they're all past the demographic, or I'd buy all of them DVD sets. This was so much better than a lot of the kid shows today. positive positive +I had no expectations; I'd never heard of Jamie Foxx; all I knew was that the film has some strong character actors in it. I thought it was highly entertaining; it was fun. The plot was different and unpredictable enough to hold my interest. To me, Foxx is an original. David Morse is terrific (true, this is not his finest role). I thought the chases and pyrotechnics contributed to the film and were well done. I didn't expect a lot and I was happily surprised. positive positive +This movie is a gem...an undiscovered Gerry Anderson classic.

The origins of both 'UFO' and 'Space 1999' are obvious from this movie, including the cast list which includes the late Ed Bishop and George Sewell who both went onto 'UFO'.

It is unfortunate that Anderson, despite his many TV successes, did not get a chance to develop his talent on the big screen. Just think what he could have done with the movie version of 'Thunderbirds' (which he quite rightly disowned himself from!).

I'm sure if you give 'JTTFSOTS'/'Doppleganger' a fair chance you'll appreciate it's good qualities. positive positive +A very close and sharp discription of the bubbling and dynamic emotional world of specialy one 18year old guy, that makes his first experiences in his gay love to an other boy, during an vacation with a part of his family.

I liked this film because of his extremly clear and surrogated storytelling , with all this 'Sound-close-ups' and quiet moments wich had been full of intensive moods.

positive positive +The late, great Robert Bloch (author of PSYCHO, for those of you who weren't paying attention) scripted this tale of terror and it was absolutely one of the scariest movies I ever saw as a kid. (I had to walk MILES just to see a movie, and it was usually dark when I emerged from the theater; seeing a horror movie was always unnerving, but particularly so when it was as well-executed as this one.) When I had the opportunity to see this one several years ago on videotape (which should always be a last resort), I was surprised at how well it held up. Take the terror test: watch it at night, alone, and THEN tell me it's not scary... positive positive +I have seen this show when I was younger. It is a really good show to watch. It is very educational for children 1 to 8 years old. Barney is definitely super DE duper. B.J. is pretty funny. Babie Bop is very cute. The kids are very cool too. This show is about learning about numbers kinda like sesame street but different type of show and characters like Barney the purple dinosaur, B.J. the yellow dinosaur with a baseball hat on his head, and Baby Bop the cute green dinosaur with a pink bow. The first one that started was very old Barney and Friends show. But then the second one was different to be new episodes. Also the last one in the 2000 was new scene of Barney's park. They also have a show of Barney at Universal Studios in Florida where you see Barney, B.J., and Baby Bop and then when the show is done you get to go play, shop and meet Barney. It's a very good show watch this show when you learn about many things you will like it the movie, and the live show at Universal Studios Florida. positive positive +I only watched this because it starred Josie Lawrence, who I knew

from Whose Line is it Anyway?, the wacky British improvisational

comedy show. I was very pleasantly surprised by this heartwarming and magical gem. It is uplifting, touching, and

romantic without being sappy or sentimental. The characters are

all real people, with real foibles, fears and needs. See it.! positive positive +I was 'turned on' to this movie by my flight instructor and now I wonder how the heck it was out there for nearly five years before I finally discovered it. If you have any love of flying at all, especially an attachment to the planes of WWII, this is an absolute must see, vastly superior to the pathetic 'Pearl Harbor' and up there in rivalry with the famed 'Battle of Britain' filmed more than thirty years ago. There are moments when you feel as if you are flying wingman, literally dodging the shell casings of your leader as you roll in on a Me 109 or He 111.

As an historian this film deeply touched me as well for it is about the plight endured by tens of thousands of gallant Poles, Hungarians, Slovaks and Czechs who in 1939-1940 fled their homelands, made it to England, fought with utmost bravery for the survival of western civilization, and then were so callously abandoned by 'us' after the war when they were arrested by the communists upon their return to their native lands. I have stood atop Monte Cassino in Italy and was moved to tears by the cemetery for the Polish troops that stormed that mountain that British and Americans could not take. I have traveled as well to Prague (the most beautiful of cities) and studied their history. Their story of abandonment, I believe, should be a lesson to us even today about obligations to gallant allies.

But back to the film. If you love flying, see this. If you are interested in the aircraft of WWII most definitely see it. Without doubt the most brutal, direct, and frightfully swift air combat scenes ever replicated for film. And yes, if you even are seeking a touching romance, there is that as well in heartbreaking detail.

Bill Forstchen Professor of History Co-owner of a WWII replica 'warbird' P-51 Mustang 'Gloria Ann' positive positive +This film immediately catches the eye, with the atmospheric aerial views of a very pretty Hong Hong. Filmed in those rich colours of 1950 films which modern blockbusters never seem to capture. Probably a sign of those times, because this is not a high powered, seen it all before film, full of havoc and violence. The havoc and violence are there though, in the backdrop, with thousands of refugees trying to get out of China This is a very moving and compelling story, full of hope and love in a tragic time, in recent history. The story of two people from different cultures falling in love. And the build up to them trying to overcome this is the heart of this very fine and moving film. positive positive +Words are seriously not enough convey the emotional power of this film; it's one of the most wrenching you'll ever see, yet the ending is one of the most loving, tender, and emotionally fulfilling you could hope for. Every actor in every role is terrific, especially a wise and understated Jamie Lee Curtis, a tightly wound and anguished Ray Liotta, and a heart-stopping turn from Tom Hulce that should have had him up for every award in the book. (He's the #1 pick for 1988's Best Actor in Danny Peary's 'Alternate Oscars.') The last half hour borders on melodrama, but the film earns every one of its tears--and unless you're made of stone, there will be plenty of them. positive positive +I LOVED this movie! I am biased seeing as I am a huge Disney fan, but I really enjoyed myself. The action takes off running in the beginning of the film and just keeps going! This is a bit of a departure for Disney, they don't spend quite as much time on character development (my husband pointed this out)and there are no musical numbers. It is strictly action adventure. I thoroughly enjoyed it and recommend it to anyone who loves Disney, be they young or old. positive positive +How is bear´s paw, elephant´s trunk or monkey´s brain for dinner? Let Tsui Hark tell you in this wonderful and lighthearted comedy about the art of cooking the traditional(?) Chinese way.

This movie shares the common structure of an American sports movie, but instead of focusing on baseball it centers around cooking which makes it all the more interesting. I even think Leslie Cheung´s character look a lot like Charlie Sheen in Major League...

This movie also contains a bit of Zhao Wen Zhao vs Xiong Xin Xin fighting (love seeing more of that after The Blade) and a quite funny in-joke concerning a Leon Lai pop song...

Perhaps not the ideal movie for the strict vegetarian though. positive positive +One of the most excellent movies ever produced in Russia and certainly the best one made during the decline of the USSR. Incredibly clever, hilarious and dramatic at the same time. Superb acting. Overall a masterpiece. Score it 10/10.

positive positive +Dutiful wife Norma Shearer (as Katherine 'Kitty' Brown) waits on husband Rod La Rocque (as Bob Brown) hand and foot. While making him breakfast in bed, and helping him dress for a Sunday golf outing, Ms. Shearer suggests joining Mr. La Rocque for the day, noting how infrequently the two see each other. But, La Rocque puts her off, saying her presence adversely affects his game. Then, unexpectedly, Shearer meets the real reason for her husband's frequent absencesÂ… his pretty blonde mistress!

Three years later, Shearer is a glamorous and flirty divorcée. While summering in Paris, she has struck up a friendship with wealthy, older socialite Marie Dressler (as as Mrs. 'Boucci' Bouccicault). Ms. Dressler invites Shearer to her Long Island home, to socialize with some friends, and ask a favor. Dressler is worried about her granddaughter's relationship with a suave, worldly man. She wants young Sally Eilers (as Dionne) to marry Raymond Hackett (as Bruce), instead. Aware of Shearer's flirtatious conquests, Dressler asks her to lure the undesirable man away from Ms. Eilers. Shearer is stunned to discover the man is La Rocque, her ex-husband.

Shearer and Dressler make this a cute, entertaining play. They are in top form, giving guaranteed-to-be-popular performances, with enthusiasm and professionalism. The story is silly and predictable; yet, in a way which helps the humorous situation. And, the ending is quite clever. In fact, the comic 'Let Us be Gay' may have aged better than Shearer's larger-produced, and more serious, 'The Divorcée', which was released around the same time. The cast uniformly fine. La Rocque is better than his film with Lilian Gish; but, his role is not at all endearing. Gilbert Emery (as Towney) and Tyrell Davis (as Wallace) are funny supporting suitors.

Those not familiar with Norma Shearer may not realize it is she who appears as the dowdy wife in the opening scenes. This is Shearer as 'Kitty' before her make-over. Watch the close-ups of Shearer with light, natural make-up, for a good look at an intriguingly beautiful woman.

******* Let Us Be Gay (1930) Robert Z. Leonard ~ Norma Shearer, Marie Dressler, Rod La Rocque positive positive +As is well-known among long haired youngsters who are incredibly interested in this Herr Graf's silent rants, during summertime aristocrats like to travel to exclusive and distinguished places in order to avoid the heat as well hordes of coarse people taking their ease. Such bizarre travels around the world also happen in 'Three Ages', a charming and elegant piece of silent work directed by old hands, namely Herr Buster Keaton and Herr Eddie Cline.

Obviously this German count liked most the first segment focused on the Stone Age due to the affinity that this aristocrat feels about that ancient time. preferring that to the second segment which takes place during the glory of Rome (It should have included the cause of the fall of the Roman empire, that is to say, Barbarians, or the same thing, Germans). Of course, the third segment takes place during modern times but this Teutonic aristocrat thinks that even 100 years ago should qualify as modern.

The leitmotiv that moves Herr Keaton and his companions to travel and endure the strange and hilarious happenings during three different ages, is the search for love, a very complicated subject to understand for aristocrats who prefer the search for money and self interest. Every time that 'Three Ages' is shown in the Schloss theatre, it is always a pleasure to watch a funny, witty silent film (even for a serious German count), an oeuvre full of gags and gadgets, puns, pratfalls and acrobatics, visual and astounding technical tricks, an absolute silent delicatessen that is perfect to allow one to endure the various and coarse summertime severities.

And now, if you'll allow me, I must temporarily take my leave because this German Count must flirt with an old Teutonic heiress who doesn't look her age.

Herr Graf Ferdinand Von Galitzien http://ferdinandvongalitzien.blogspot.com/ positive positive +Loved this film. Real people, great acting, humour, unpredictable. The characters were believable and you really connected with them. If you're looking for a film about slightly offbeat characters outside the mainstream of society and how they help each other, this would be a good choice. positive positive +Years before pre-nuptial agreements became a regular thing, Ernest Lubitsch made a screen comedy on which they are the basis. Bluebeard's Eighth Wife involves Gary Cooper as a multi-millionaire living on the French Riviera who's been married seven times and now marries Claudette Colbert for number eight. But Cooper's a good sport about it, he always settles with his ex-wives for a $50,000.00 a year as per an agreement they sign before marrying him. Sounds like what we now call a pre-nuptial agreement.

Of course Claudette wants a lot more than that and she feels Cooper takes an entirely too business like approach to marriage. She'd like the real deal and is willing to go some considerable lengths to get it.

Bluebeard's Eighth Wife has some really funny moments, the original meeting of Cooper and Colbert in a men's store where Cooper is insisting he wants only pajama tops and Colbert looking for only bottoms. And of course my favorite is Colbert trailing and blackmailing the detective Cooper sends to spy on her. Herman Bing has the best supporting role in the film as that selfsame, flustered detective.

I've often wondered how back in the day Hollywood could get away with casting so many people who are non-French in a film like this. Of course Cooper is an American and Colbert of the cast is the only one actually of French background. Though David Niven is charming as always, having him be a Frenchman is ludicrous, he is sooooooo British.

Nevertheless Bluebeard's Eighth Wife is an enjoyable film and a great example of what was called 'the Lubitsch touch' back in the day. positive positive +Michelle Pfeiffer is ideally cast as the frustrated mob widow in this colourful black comedy. Matthew Modine plays a clumsy FBI agent who has taken a fancy to her. Dean Stockwell steals the show as the big shot who keeps on pestering Pfeiffer; Mercedes Ruehl is dynamic as his jealous wife. It's all very eighties, but that just adds to the fun. A nice little flick, though not for every taste. positive positive +This film quite literally has every single action movie cliche and all of them work to its advantage. Straight from Lethal Weapon Gary Busey wisecracks, shoots and chuckles through this film with such reckless abandonment it can't help but amuse and entertain. There are tanks, helicopters, machine gun battles, grenades and ice cream vans and if they aren't good enough reasons to watch this film then how about the best one...Danny Trejo. And if you don't know who Danny Trejo is then you probably won't like this film. positive positive +The Book of Life was rather like a short snack, whetting the appetite for Hartley's next full length movie.

This movie doesn't need to be seen on the big screen, watch it with a few friends who are Hal Hartley or Wayne Wang fans, or better still, try to convert some newbies. positive positive +i really loved this version of Emma the best. Kate beckinsale was awesome as Emma and mark strong was very good as knightly. the only complaint that i had was on Mr. woodhouse..i can't believe that a man could whine so much or be so selfish with his daughter's life..she was a smart girl in the end though. as always, i love the places in which these Jane Austin movies were shot. the settings are so spectular. it makes me want to visit england so much 9as well as Ireland and Scotland) i think the actors chosen for this movie were a good choice as well and all the other story lines interwhined with Emma's most excellently! i am glad that i got to see this one as well. positive positive +Don't be fooled: this isn't yet another tired example of the Girls From Outer Space Pretending To Be The French Ski Team Come To Earth To Collect As Much Sperm As Possible genre, though the synopsis may suggest otherwise. This movie is a gem, an absolute jewel that has enriched my life from the moment I laid eyes upon it. Hilarious, exhilarating, action-packed, and stunningly erotic, 'Ach jodel mir noch einen' is a Euro-Madcap Tour-De-Force, a grossly underrated Bavarian classic.

Stop everything you are doing and run out to rent, or better yet, BUY this movie immediately. positive positive +It's About Time 'Kate Jackson' got her credit for this film.., i can remember watching it & trying to understand it on TV.., my grandmother lay in bed dying from cancer & i was barely 15. i didn't find out till years later that Richard long had died tho.., i miss him on the other shows/movies he was in.

I have a copy of the VHS tape still but it's NOT 'CC'd' or Closed Captioned for the Hearing Impaired & thats the ONLY flaw in the movie that i can remember or know of to date.., i haven't been able to find a DVD or VHS copy that has sub-titles in English even. If someone out there knows of either copy on VHS or DVD thats CC'd or has English sub-titles please let me know.

thanks - Cofffeenut positive positive +CitizenX(1995) is the developing world's answer to Silence of the Lambs. Where `Silence' terrorized our peace of mind, `Citizen' exhausts and saddens us instead. This dramatization of the Chikatilo case translates rather well, thanks to a Westernized friendship between two Rostov cops who become equals.

CitizenX may also argue against(!) the death penalty far better than Kevin Spacey's The Life of David Gayle(2002).

Humans are Machiavellian mammals, under which lie limbic brains (lizard-logic). Why did two kids, who knew better, stone to death a toddler they kidnapped? Why do bloodthirsty women yell `li-lilililililii' at acts of OBSCENE terrorism? -My own term for this is `limbic domination', the lizard-logic urge to dominate an `enemy'. If you have the words `enemy'/`vengeance' in your vocabulary, you're easily capable of `limbic domination'.

In WWII-devastated 1980s Rostov (located at the mouth of the Don river near the Black Sea), nothing suppressed Andrei Chikatilo's urge for `limbic domination' from overpowering his layers of civilization. Chikatilo(Jeffrey DeMunn)'s easy victims were paupers, usually children, who rode the interurban train for fun, since they couldn't afford anything else.

CitizenX reminds us that the denials of a rampant Soviet bureaucracy cost the lives of 52 such `lambs'. Rostov's serial killer roamed free for almost 7 years AFTER the police arrested and let him go.

The politicization of crimefighting is harmful to police forces everywhere. Although policing routinely suffers from corruption all over the world, in the west, vote-grabbing by politicians can set up chronic inter-agency rivalries, stymieing a more coordinated response to crime. In the Soviet Union of CitizenX, however, Viktor Burakov(Stephen Rea)'s Killer Department was suffering from a repressive bureaucracy.

Geoffrey DeMunn plays the psychosexually inadequate Chikatilo with faultless but understated authority--to the point of complete obscurity. In real life, too, Chikatilo had a lifetime's experience blending in and evading capture.

His pursuer, on the other hand, sticks out as a strange bird, given to unheralded, naive outbursts. Perhaps by design, Stephen Rea gives a very strange performance as forensics chief Burakov. Rea's Russian accent is impenetrable; and his Burakov is humourless and sullen, at odds with everyone.

So it's Donald Sutherland who walks away with the picture. Sutherland's Col.Fetisov, Burakov's boss, and at first his only supporter, is an overly restrained, patient Militiaman whose dignified carriage bears testimony to decades of bureaucratic machinations. His reawakening as a logic-driven yet still passionate cop becomes the film's cornerstone idealism.

Joss Ackland does another turn as a vicious apparatchik, Secretary of Communist Ideology Bondarchuk, overseeing the investigation. Naturally, he quashed the arrest of the most likely suspect, a Communist, in 1984, a man carrying rope and a knife in his bag, supposedly going home: Andrei Chikatilo.

Soon, he replaced Burakov with another Moscow apparatchik, Detective Gorbunov(John Wood), insisting that the investigation now focus on `known homosexuals'. The funniest scene of this sad, sad film comes during Bondarchuk's & Gorbunov's institutionalized harassment: one stupid cop earnestly reports, `As I suspected, comrade, it's fornication. I've made some drawings'--cue howling laughter.

5yrs after the bodies began piling up, in 1987, the police finally tried soliciting criminal profiles. The only cooperating Soviet psychiatrist was Dr Aleksandr Bukhanovsky(Max Von Sydow), who termed the UNSUB `CitizenX'. He later also observed to Fetisov & Burakov that `...together you make a wonderful person'. We concur.

The drawn-out pace, spread over a decade, perfectly captures the institutional inertia of Glasnost--`openness'--that wasn't. The contrast with Perestroika--`restructuring'--couldn't've been greater for the case. Although Chikatilo was still prowling railway stations, police plans were about to bear fruit.

In 1990, Col.Fetisov was expeditiously promoted to General. His nemesis Bondarchuk disappeared off the scene, allowing the investigation to finally proceed without political interference. Staff, communications, publicity--suddenly all were available. In just one night of telephoning around, Fetisov got his depressed forensics chief access to the FBI's Serial Murder Task Force at Quantico, where, Fetisov discovered, staff are regularly rotated off serial murder cases to stave off just such psychological damage to investigators.

Fetisov advises his newly promoted forensics chief, now `Colonel' Burakov, of all these changes in an avalanche of confession that becomes the movie's powerhouse watershed scene. Fetisov's is the most tender apology I've ever seen on film: `Privately, I offer my deepest apologies to you and your wife. I hope that someday you can forgive me my ignorance', he almost whispers.

A HBO production, CitizenX is a film of the highest caliber. Not only do the exteriors look authentically bleak (shot exclusively in the most run-down parts of otherwise spectacular Budapest), but Randy Edelman's soaring soundtrack is entirely overwhelming--and frequently our only respite from the bleak brutality. Those who speak Hungarian will recognize the many Hungarian accents and credits.

Chikatilo's actual murders are depicted as bleak, aberrant behaviour born of character flaws and ignorance in an equally bleak world. This makes the murders seem not-entirely-out-of-place--but of course they were. As President Kennedy reminded us, `we all cherish the futures of our children'.

CitizenX communicates perfectly that killing is far more grisly and obscene than any vengeance fantasy might imply. Serial rapists rape to dominate; serial killers kill to dominate. So do some soldiers. Such `limbic dominators' make poor humans.

WARNING-SPOILER:----------------------------------------------- The real Andrei Chikatilo WAS the world's most prolific known serial killer. Convicted, he was executed in 1992 in the manner of all Soviet Union death sentences: one shot, in the back of the head. Foolishly, such methods destroy any possibility of studying a deviant brain after death.

Conclusion:------------------------------------------------------------ The best outcome is always the prevention of killings, not their prosecution. Executions merely guarantee society's failure to learn from the complex reality of victims' deaths when we dispatch even anecdotal evidence of HOW/WHY they died. Nor do killers learn regret if they're dead.

Vengeance doesn't unkill victims. Baying for the killer's blood constitutes nothing better than counter-domination--once it's too late.

Vengeance on behalf of the grieving isn't justice for the deceased--it's appeasement of the living.(10/10) positive positive +Farley and Spade's best work ever. It's one of the all-around funniest movies I've ever seen. Watch it once and you'll be hooked and soon have all the lines memorized. No sleepy for Tommy Boy! positive positive +The Secret of Kells is an independent, animated feature that gives us one of the fabled stories surrounding the Book of Kells, an illuminated manuscript from the Middle Ages featuring the four Gospels of the New Testament. I didn't know that this book actually exists, but knowing it now makes my interpretation and analysis much a lot easier. There are a few stories and ideas floating around about how the book came to be, who wrote it, and how it has survived over 1,000 years. This is one of them.

We are introduced to Brendan, an orphan who lives at the Abbey of Kells in Ireland with his uncle, Abbot Cellach (voiced by Brendan Gleeson). Abbot Cellach is constructing a massive wall around the abbey to protect the villagers and monks. Brendan is not fond of the wall and neither are the other monks. They are more focused on reading and writing, something Abbot Cellach does not have time for anymore. He fears the 'Northmen,' those who plunder and leave towns and villages empty and burnt to the ground.

One day a traveler comes from the island of Iona near Scotland. It is Brother Aidan, a very wise man who carries with him a special book that is not yet finished. Abbot Cellach grants him permission to stay and Brendan buddies up with him. Aidan has special plans for Brendan. First he needs ink for the book, but he requires specific berries. The only way to get them is to venture outside the walls and into the forest, an area off limits to Brendan. Seeing that he is the only chance for Aidan to continue his work, he decides to sneak out and return with the berries before his uncle notices his absence.

In the forest Brendan meets Ashley, the protector of the forest. She allows Brendan passage to the berries and along the way becomes akin to his company. She warns him of the looming danger in the dark and not to foil with it. There are things worse than Vikings out there. From there Brendan is met with more challenges with the book and the looming certainty of invasion.

I like the story a lot more now that I know what it is about. Knowing now what the Book of Kells is and what it contains, the animation makes perfect sense. I'm sure you have seen pictures or copies of old texts from hundreds of years ago, with frilly borders, colorful pictures, and extravagant patterns, creatures, and writings adorning the pages. Much like the opening frames of Disney's The Sword in the Stone. The animation here contains a lot of similar designs and patterns. It creates a very unique viewing experience where the story and the animation almost try to outdo each other.

I couldn't take my eyes off of the incredible detail. This is some of the finest 2D animation I have seen in years. It's vibrant, stimulating, and full of life. The characters are constantly surrounded by designs, doodles, and patterns in trees, on the walls, and in the air just floating around. It enhances the film.

The story is satisfactory, although I think the ending could have been strung out a little more. With a runtime of only 75 minutes I think there could have been something special in the final act. It doesn't give a lot of information nor does it allude to the significance of the book. We are reminded of it's importance but never fully understand. We are told that it gives hope, but never why or how. That was really the only lacking portion of the film. Otherwise I thought the story was interesting though completely outdone by the animation.

I guess that's okay to a certain degree. The animation can carry a film so far before it falls short. The story lacks a few parts, but it is an interesting take on a fascinating piece of history. I would recommend looking up briefly the Book of Kells just to get an idea of what myself and this film are talking about. I think it will help your viewing experience a lot more. This a very impressive and beautifully illustrated film that should definitely not be missed. positive positive +Deeply emotional. It can't leave you neutral.

Yes it's a love story between 2 18 years old boys. But it's only the body of this movie. And it's been removed. You only feel what happened with these boys. You feel the soul of the movie. With of course some action, some sex, but this is no pornography, too many feelings.

It was only a summer 'story', and it became, from love to hate, almost to death, the most important time of their lives. I loved it, you will too, whatever your feelings are. positive positive +Lily Mars, a smalltown girl living in Indiana, dreams of making it big on Broadway and her aspirations are given a lift when successful Broadway producer John Thornway returns to his hometown for a visit. Lily tries everything she can to get Thornway to notice her, but he just gets annoyed with her antics. When Thornway goes back to New York to stage his show, Lily follows (unknown to John of course) and Thornway eventually gives her a small role in his next show, only as a favor to her family, however Thornway starts to fall for this young girl and a romance blossoms, which makes the show's leading lady, Isabel Rekay, jealous. When Isabel gets fed up with the John-Lily romance causing friction with the show, she leaves, and John decides to make Lily the star. Isabel returns later, and Thornway is forced to tell Lily that she is back to her small bit role in the play, which also may jeopardize the romance. Very charming film, and a refreshing change to see Garland put the comedic touches into her role (her reading of Lady MacBeth, while supposed to be humorous, never threatened her singing career) I enjoyed Heflin's character (Thornway) more when he was annoyed with Lily rather than be the romantic. The film got to be somewhat predictable and the scenes weren't assembled that well together, but a very enjoyable film. Rating, 7. positive positive +I just saw this wonderfully filmed movie that captures the essence of

high-brow NYC, or any big city of mid-century America. The colors, the

cars, the clothes and the coming of the Womens Movement. It reflects the

comf-cozy attitudes of relationships between men and women in the

corporate world. In some ways, things gave changed and in others, they

haven't changed at all. Women still want what men have today, but they

now have all sorts of laws and equality mandates to get it for them. In

my opinion, beautiful women will still THROW themselves at men in

pursuit of thier goals! The laws we have now against harrassment and

all, were passed by unattractive women who wanted an equal chance to

compete with prettier women who might be getting the positions soley

based on thier looks and puting out! The real competition isn't between

men and women, but women and women! I liked the look and feel of the movie but the world hasn't changed as

far as what real positive positive +Watched this film at a local festival, the Silver Sprocket International Film Festival Florida . What a lovely film. A simple, uncomplicated morality tale about a young care free young man having to take responsibility for his actions. It neither pretentious or flashy my two teenage daughters loved it and for a change I wasn't embarrassed by any of the film content or language. A real family film and the best British comedy film I've seen since Billy Elliot.The film went on to win not surprisingly the top festival awards of Best Film and Best Director. Ten out of ten. positive positive +I've been a fan of Larry King's show for awhile, I think he does a terrific job overall and I don't think he ever 'wusses' out, as so many people seem to believe. He's a subtle Scorpio, he gets his zings in when he needs to, just as he managed to do last night with Paris Hilton, during her first post-jail TV interview.

The thing about this entire case that has really amazed me is that Hilton is still apparently clueless about why Judge Sauer gave her what she believes was a too-harsh sentence (and what's more, actually MADE her serve it) . In all the time she was in jail, supposedly alone 23 hours a day in her cell, she never once, in her mind, rewound the events which led to her being given the sentence that Judge Sauer saw fit to impose on her. She never once realized that it just might have set off a major red flag when she (1) showed up late in court for the original hearing and (2) proceeded to inform him, when he asked her did she not know that her license had been suspended, did she not get the papers in the mail, that 'I have people who read that sort of thing for me.'

All the time she was in her cell, she never came to the realization that this action (showing up late) and that statement -- and more importantly, the attitude - the utter cavalier disregard for the court system and the law in general and her driving privileges in particular that she displayed -- just might have made Judge Sauer (pardon the pun) go sour on her.

Last night, on King's show, after giving lip service to how she has been changed forever by her traumatic experience, how she has 'learned' her lesson, she answered his question, 'Do you think you got a raw deal?' with a resounding yes. And during the course of the conversation (if you can call it that), she said more than once that she did not feel she deserved what had happened to her. King asked, gently, more than once, if she does not feel she creates the situations in her life that she 'finds' herself in, to which she pretty much stared at him blankly. She basically, therefore, holds the conscious belief that she's been victimized in this situation; she does not understand how she herself caused it, that day in court, by her cavalier attitude with the judge. I feel this is very sad - tragic, even, considering what a huge 'role model' Hilton is to some people, and it renders anything she said last night about her so-called rehabilitated state into the realms of complete and utter cluelessness, contradiction and hypocrisy.

During the course of the interview, Hilton alluded to spending a lot of time in her cell reading the Bible. At the end of the interview, King scored major points by asking her what her favorite Bible passage was. She responded by groping perplexedly at her pathetic notes (completely superficial non-insights, which she had read on air as if she were Nelson Mandella or something) and finally grunting out, 'I don't have a favorite passage.'

Judge Sauer, in my book, is a hero, and after last night, so is Larry King, for subtly exposing Hilton for what she truly is. positive positive +I must confess to not having read the original M R James story although I have read many of his other supernatural tales. I've also seen most of the previous BBC Christmas Ghost Stories and this one, in my opinion, surpasses most of them, only equalling The Signalman.

I can't really fault A View From a Hill - the direction and 'mood' is perfect, as is the acting, lighting and, of course, the story and writing. I thoroughly enjoyed this and can only hope for more of this quality from the same director and production team. I understand that the BBC plan to make some more (not necessarily based on M R James stories) so that's promising.

10/10 positive positive +This movie is about London and it's an amazing movie. it will be released on DVD in april 2003 and I will buy it when it gets out so If you have not seen it until then BUY IT. The music in the movie is even better (saint etienne) have done the soundtrack. positive positive +I saw this movie by accident while in Paris. I went into the wrong theater by accident and by the time I realized it wasn't a preview or a short film, I was hooked.

Paulina does a phenomenal job of holding your attention with her acting. I can't say enough how impressed I was with her portrayal of this real femme fatal. The rest of the cast performs very well too. Don't get me wrong, this is not the greatest film ever made but given I knew nothing about it I was left with a lasting and very positive impression.

Finally, NOT speaking French in France paid off for once! I didn't stop talking about this film for 3 weeks after seeing it. positive positive +This is one of the best films made about the 80 punk scene. I saw this a few years back on a 'bootleg' copy and was amazed. Very few of todays kids know the true roots of punk and this movie shows some of the 80s punk legends such as The Germs and shows how it was back then. Nowadays so much punk has gone mainstream with MTV and radio and its nice to see the true underground rebellious movement of the original scene. Darby Crash (of The Germs) is one of my heros and this film shows why. A must see for all 'punks' and anyone curious about the 80s punk scene positive positive +Walt Disney & his 9 Old Men put their own 1950 spin on the classic fairy tale of Cinderella, which I guess you could say helps form an unofficial 'fairy tale princess trilogy' from the classic Disney years.

THE PLOT: Cinderella is a nice girl who can't catch a break. She is the daughter of a nice, wealthy widower who loved her dearly, but her mother passed away when Cinderella was very young, and Cindy's father felt she needed a mother figure, so he eventually married the woman who would become known as Lady Tremaine, herself a widow with two daughters about the same age as Cinderella, Anastasia and Drizella. At first they all seemed to get along, but then Cinderella's father died, and Lady Tremaine's true nature was revealed - she was a cold, cruel, callous, heartless, mean spirited woman, and she passed those traits on to her daughters, who were spoiled, bratty, and equally mean spirited. Anastasia & Drizella hate Cinderella because they know deep down that she's better looking and an overall nicer, more attractive lady than themselves (i.e., more appealing to men), and their mother, Lady Tremaine, hates Cindy for pretty much the same reasons. As the years passed Lady Tremaine began to squander the family fortunes in a stubborn but futile quest to improve/refine her awkward, unattractive daughters (to call them 'homely' would be an insult to homely people everywhere) while all three relegated Cinderella to being the multi-tasking servant of the house, abusing her, mistreating her and humiliating her every chance they get (they are particularly fond of increasing her already absurd workload). That brings us to Cinderella in the present, where she has blossomed into a good looking young lady who somehow manages to remain kind hearted and nice despite her abusive step family and holds on to the hope that one day the tables will turn in her favor.

Cinderella gets her shot at freedom & happiness when a royal ball is held to introduce the local prince to an eligible young maiden so that he can take her as a wife, settle down, start a family, etc. Naturally, her step family tries to keep her from attending, even going so far as to physically assault her and rip up the dress she had procured for herself (with a little help from her mice friends - the dress belonged to her biological mother). Finally pushed beyond her breaking point, Cinderella runs out into the courtyard and cries in despair. It is at that point that her Fairy Godmother, a short, plump, jolly woman, arrives and provides Cinderella with transportation and a transformed dress (after all, Cinderella wouldn't make a very good impression at the ball if she entered the scene looking like she had just gotten gang raped). Cindy arrives at the ball, the Prince falls hard for her, but that pesky midnight rule gets in the way, forcing her to flee, but leaving behind a glass slipper. Make a long story short - after a long harrowing quest to find the mystery girl via trying on the glass slipper, Cinderella is found and she and the prince get married, giving her the happy ending she deserves.

Overall, an enjoyable Disney classic. Not without its flaws, the most glaring of which is that the Prince is little more than a MacGuffin to help push the plot along - he has very little screen time and even less dialogue, so we never get to know him very well or get a good look at his relationship with Cinderella (which is unfortunate since, according to the making of documentary, the Prince was originally meant to play a bigger role), and a few additional scenes to help flesh out Cinderella herself might have been helpful (there was a song that showed her fantasizing of turning into an army of maids to clean up the house as well as eavesdropping on her step-family post ball to show her amusement at their jealousy, which was cut because Walt himself thought it made her look spiteful). Still, Cinderella herself is a likable enough heroine, even if she is upstaged by her mice friends, and there's a sweetness to the film that is becoming harder to find these days. Of course, if this were being made now, Cinderella would probably put up more of a struggle against her family during the dress ripping scene and would probably free herself in the climax (either by picking the lock herself or making an impractical yet exciting jump down from her window) but this is beside the point.

And for all those who say Cinderella sets a bad example for young girls, well, consider this - at least Cinderella didn't go around getting publicly drunk and indecently exposed, unlike some modern day 'princesses' (you know who I mean). positive positive +Saw this film during the Mod & Rockers fest in August. I was so inspired and touched. Harry had an amazing life and one of the best and distinct voices ever recorded. For those of you who don't know about Harry Nilsson do a little research and you'll see that Harry has probably found his way into your life in one way or another - maybe it was his 70s special 'The Point' or 'Everybody's Talking' from Midnight Cowboy. For me it started with 'people let me tell you bout my best friend' - the theme song from 'The Courtship of Eddie's Father.' Watching this film you can really feel the love and admiration from Harry's true friends and peers. Don't shed a tear for Harry - he had a ball...

Brett positive positive +I loved the the film. it beautifully analyzes Italian petty bourgeois society, how the leftists of the 70s have given up all their ideals and come to a happy arrangement which they don't want disturbed. For instance, the aging psychoanalyst who is jealous of his own son, and doesn't want to be reminded of his more radical youth.

For a long time wanted to buy the video after having seen the movie a couple of times on the big screen and on TV, but it seems to have completely disappeared from the market, even in Italy no one in the book shops knew about the film. a great pity.

The one sex scene, which everyone seems to go on about, does the film no harm. positive positive +This is one of the first films I can remember, or maybe the first one. Exactly the beautiful kind of film than introduce a kid, sweetly, into the world of violence and addictions were we live. A little bit of Babe, Casino and Constantine, all this well mixed into a carton, and we get this. I don't know if its truly rated for kids, but I think it was very cool, very funny and interesting. I hate when a film (spescially a carton)can have a good end and its ruining because every character must have a happy end, even if it sounds weird (Im not a bitter person).But this was OK, he simply goes heaven and they let it in that way.

All this is just a critic, Its a good movie an something new. very touching and I gotta go positive positive +I saw this movie in the theater, and was thoroughly impressed by it. Then again, that was when Claire Danes was a good actress, not the foolish, arrogant, Hollywood-ized bitch she is today. Anyway, this film really struck me as one of the more raw, realistic, beautiful friendship films. How far would you really go for your best friend? I was moved to tears at the end, and still tear up when I watch it now (I own it). I remember as soon as I left the theater, I called my best friend and sobbed to her how much I loved her. This is a great film to watch with your best girlfriend. However be prepared for the almost certain conversation afterward where she turns to you and asks if you'd do something like that for her.... positive positive +It sounds as if it should be a biography of Claude Monet but it's actually a highly focused story of relationships between three adolescent girls on a French synchronized swimming team. There are no parents or teachers to speak of, no school, and boys are represented by one peripheral figure, the hunky Francois who enters the story determined from time to time and always leaves confused.

Pauline Aquart is the youngest of the three, only aspiring to join the team she so much admires. She's kind of odd looking. She's not yet out of her adolescent growth spurt and has long, bony limbs, big feet, and no derriere to speak of. She's prognathous and sports these plump pursed lips. After a while her appearance grows on you and from certain angles she can come to appear enthralling.

Adele Haenel is older -- more, well, more developed physically. What a glamorous figure she cuts in her swim suit, sauntering around, teasing the boys, swishing her long blond hair. But she's not what she seems. Or is she? I couldn't quite figure it out. The French are long on paradoxes and short on consistency. No wonder Francois is always sniffing after her.

There's not so much ambiguity in Louse Blachere's character. She's on the team too but she's dumpy and plain, and sensitive about it, and has an intense crush on Francois. Blachere is a good actress and adds to the ungainliness of the character through her performance.

The movie deals with the relationships between these three, meaning intrigues, deceptions, hidden feelings, and all the rest of what we associate with young girls who spend much time with one another. This is of course a tricky topic. It becomes trickier during the gradual development of a homoerotic relationship between Pauline and Adele. Not that you should expect this to be a soft porn movie. The only nudity we see is considerably less than a turn on, and what little sex there is under the covers, sometimes literally.

I don't think I want to get into the plot or into its analysis too much, partly because it's suggestive rather than expressed through action, partly because it's complex, and partly because I'm not sure I got it all.

Let me give an example. Okay. Adele is the girl the others envy. She's also quite distant and self satisfied. On top of that she is apparently schtupping every boy and man in sight if they can be of any use to her at all, from the handsome but dumb Francois to the bus driver she wants a favor from. She brags unashamedly about her expertise in fellatio. When Pauline approaches her about joining the swim team, Adele uses her as a lookout during assignations with the guys. A superior and self-indulgent narcissist, you know? But then the soi-disant slut takes the skinny Pauline under her wing and reveals to Pauline that she's still a virgin. Really? Yes, really. Pauline begins to draw closer to Adele and Adele finally confesses that she'd like to rid herself of her hymen and she would like Pauline to do it for her. Pauline, now drawn sexually to Adele, performs the task with subdued relish. NOW Adele would REALLY like to get it on with a man, preferably older and experienced. So she takes Pauline to a boite where she dances seductively with some guy until she follows Pauline to the powder room. The two girls stand there staring at one another, neither having overtly expressed a sexually tinged interest in the other. But Adele stands so close that Pauline slowly loosens her own reins, reaches up, and kisses Adele on the lips. Adele steps back, smiling, and says, 'There now, that wasn't so bad, was it?', and then walks back into the club.

That's a pretty close description of whatever is going on between Pauline and Adele -- but what the hell IS going on? Initially, Adele treats Pauline like an irrelevant child, later like a close friend, finally like a potential lover -- and the minute Pauline responds, Adele walks off satisfied. Is she USING Pauline the way she seems to be using men? Does it satisfy Adele to know that she now has another person in involuntary servitude? I don't know.

I've slighted Louise Blachere as the third member of the trio, the plain and overripe wallflower whose expression always suggests dumbfoundedness but who at least is thoroughly heterosexual and the first of the three to rid herself of that noisome virginity, but I've only skipped her for considerations of space.

Should you see it? By all means. (Just compare it to the typical American movie about high school kids.) For men, some of whom have never penetrated the female mystique, this may give you some idea of what it looks like in medium shot. positive positive +When seeing this movie you should take notice to that it´s not a normal movie. It has no real story just characters, a bunch of gangster characters who come together in a perfect harmony. The dialogue is wonderful, you can just lay back and listen. The movie stands out thats why it´s hard to find a right way of describing it.

Thats why the user comments on this movie is so mixed.

I for one love the movie and recommend it to all who love one-liners and things that differ from the 'normal'. You can´t really put the finger on what´s so wonderful about it it´s just a comical world where gangsters rule. A place of love and danger. A movie that you can see more than one time. positive positive +I'm stunt, I must admit I never saw a movie with such good story and none stop high special effect martial art fighting scene. If you like the fantastic genre, like me, you will certainly be more than satisfied! All character have very cool power and the special effect are near perfection, in one word, flawless! I will listen to this movie a lot in the next years. positive positive +When Patricia Newell is attacked after witnessing her cousin's murder,Detective Carrella searches the city for her killer.Identifying the murderer after an intensive manhunt,Patricia is sent to live with relatives in the country.For Carrella the case is closed...or is it?'Blood Relatives' is an overlooked masterpiece.Donald Sutherland plays a cop and it's nice to see Donald Pleasance in a small role as a child molester.The conclusion is pretty disturbing.Still 'Blood Relatives' is more of a mystery than a horror film,so fans of gore will be disappointed.A must-see for fans of old-fashioned mystery movies.9 out of 10. positive positive +This movie is really nerve racking Cliffhangin movie!Stallone was good as always!Michael Rooker put on a surprising performance and John Lithgow play a excellent villain!The music is fantastic especially the theme!The movie is action packed and never dull!If you are a Stallone fan then watch Cliffhanger,you won't be disappointed! positive positive +Anyone who appreciates fine acting and ringing dialogue will love

this film. Taken from Ronald 'Taking Sides' Harwood, it's a funny

and ultimately excoriating analysis of a relationship between two

very 'actorly' types. Albert Finney is sublime as the despotic

Shakespearean actor who barely notices the world war raging

around him, so intent is he on the crumbling fortunes of his theatre

company and his own psychological and emotional breakdown.

Tom Courtenay is matchless as Norman, the 'Dresser' of the title,

whose apparent devotion turns out to be anything but selfless.

Really a must see. positive positive +In a famous essay he wrote about Charles Dickens, George Orwell points out that many readers always regretted that Dickens never continued writing like he did in PICKWICK PAPERS: that is, he did not stick to writing funny episodic novels for the rest of his career. This would not have been too difficult for Dickens. His contemporary Robert Surtees did precisely that, only concentrating on the misadventures of the fox hunting set (MR. FANCY ROMFORD'S HOUNDS is a title of one of his novels). Among hunters and horse lovers Surtees still has a following but most people find his novels unreadable. Dickens was determined to show he was more than a funny man (and don't forget, his first book, SKETCHES BY BOZ, was also a funny book). So Dickens third book is OLIVER TWIST (which got pretty grim at points). Orwell says that for any author to grow they have to change the style of their books. Dickens would definitely (and successfully) have agreed to that.

But Orwell overlooked the genre writer who transcends his fellows. Surtees, as I said, is a genre writer concentrating on hunting - but not everyone is interested in hunting. But P.G.Wodehouse saw himself as an entertainer, poking fun at the upper reaches of the British social system. His Earl of Emsworth is prouder of raising the finest pig in England than being...well Earl of Emsworth! His Psmith is always prepared to counterattack when he is supposed to be submissive to an unfair superior. His Stanley Uckridge will always have a 'perfect' scheme that should net a huge profit (but always manages to come apart at the end). And best of all, his Jeeves will always put his brilliant brain to work rescuing the inept Bertie Wooster, his boss. Since Wodehouse had a limited view of his mission as a writer - he was there to do cartoon figures of fun for the entertainment of the world - his books never lost their glow. They served (and still serve) their purposes. In fact, compared Wodehouse with his far more serious contemporary Evelyn Waugh, who also wrote funny books, but of a more intellectual type. The best of Waugh remains among the high points of 20th Century British literature: BRIDESHEAD REVISITED, DECLINE AND FALL, and the rest. But in his determination to make his points, if his points failed to interest the reader the book frequently collapsed. For every VILE BODIES there was some failure late in his career like THE ORDEAL OF GILBERT PINFOLD. While Wodehouse could do lesser hack work too, his falling did not go as far as Waugh's did.

Wodehouse also was a gifted lyricist (when you hear 'Bill' in the score of SHOWBOAT, it is not Kern and Hammerstein's tune, but Kern and Wodehouse's tune transposed from 'Oh Lady, Lady' a dozen years earlier). He was a handy dramatist too. So it is pleasing to see that he took his novel A DAMSEL IN DISTRESS and turned it into the screenplay here.

It has the normal Wodehouse touches. That perfect butler Keggs (Reginald Gardiner in a wonderful performance) is a scoundrel in rigging a 'friendly' gambling game of chance among the staff of the stately home he heads. He is also unable to refrain, occasionally, from singing Italian opera - despite Constance Collier's attempts to control his impulse. This is typical Wodehouse characterization. So is the way the love affair between Lady Alyce and Jerry keeps going well and going down due to the antics of Keggs and young Albert, both of whom want to win that game of chance pot of cash. Wodehouse always does that type of plot switch, with antagonists switching their point of view depending on their present state of interest.

Wodehouse was also lucky here to have Burns and Allan to work with. It is generally considered that of all the films they made as supporting actors together (such as SIX OF A KIND and WE'RE NOT DRESSING) George and Gracie did their best support with Fred Astaire. The Fun House sequence, which includes the song 'Stiff Upper Lip', is wonderful, as is an earlier sequence where the three do a 'whisk broom' dance (that Astaire learned from Burns). But Gracie's marvelous illogical logic is used by Wodehouse in scenes with Gardiner (see how she manages to confuse him into giving her more money than her change deserves to be - only Albert happens to notice Keggs/Gardiner's mistake, and looks at Gardiner as though he's either stupid or mad). Her dialog with Lady Caroline (Collier)'s son Reggie (Ray Noble, the British band leader)leading him to imagine that he will marry her, but saying goodbye to Gracie as she drives off with George to get married is wonderful too.

The film supposedly failed at the box office because of the lack of Ginger Rogers in it, and the weakness of Joan Fontaine. Fontaine is not doing a remarkable job in the role, but the flaw is really Wodehouse's - he didn't make the character very interesting. But the film can stand without that, given the other performers and their characters, Gershwin's music, and Wodehouse's marvelous sense of fun. positive positive +Has anyone found a way to purchase copies of this series yet? I can see that a lot of people have inquired but I can't tell if any of them have been successful. It's hard to believe that a series this good cannot be viewed by people today, especially one based on real issues faced by real people during what were both tense and exciting times in our country. How can this be true and what can we do to change it? As an aside I agree with all the comments other writers have made about this series on this web site. This is an excellent story about events that everyone should be aware of and know something about today. Lots of us saw this series when we were in college or around that time anyway. Now we want to share it with our children ... but we can't? If that is true what would some good written materials be that would relay the same information? positive positive +Alright, so maybe the impersonations of Jay Leno and David Letterman are not spot on, but you still get a sense of who these people are and how they operate behind the screen. Bob Balaban and Treat Williams are excellant as Warren Littlefield and Micheal Ovitz.

The movie doesn't go for joke and punchline but it is still funny. Kathy Bates in particular is amazing as Leno's manager.

Funny, amazing, interesting, very watchable, this is a good TV movie. positive positive +'Strike Force' or 'The Librarians' is a fun action movie that doesn't it take itself too seriously. William Forsythe stars as Simon, who is looking for a missing daughter of a wealthy client. He meets up with Sandi (Erika Eleniak) who is also looking for someone-her sister. But there are evil bad guys afoot. The most evil of them all is Marcos Canarious (Andrew Divoff). Marcos likes to kill people. So now, Simon and Sandi have to team up to bring down the villains. The whole cast is great, with Divoff stealing the movie. There are also cameos by Ed Lauter and Burt Reynolds. If you are looking for a good action film, watch this and have a good time. positive positive +Night Hunter starts in '1968' as a young Jack Cutter (Chris Aguilar) is unexpectedly handed the family tradition of becoming a Vampire hunter when a fellow Vampire hunter Sid O'Mack (Sid Haim) betrays his family & hands them over to the Vampire's, to aid Jack on his quest he is given a book that contains the name of every Vampire alive, or dead whichever way you look at it... Jump to 'June 1995' & Los Angeles where the now adult Cutter (Don 'The Dragon' Wilson, also credited as co-producer) has but four names left in the book including, Argento (Vince Murdocco) & Carmella (Sophia Crawford) together they are the last of the American Vampires. As they all dine in a restaurant Cutter crashes the party & kills them, job done right? Wrong as King of the Vampires Bruno Fischer (Nicholas Guest) calls in the last four remaining Vampires from around the world, the French Tournier (Maria Ford), the Asian Hashimoto (Ron Yuan), Ulmer (David 'Shark Fralick) & Sangster (Vincent Klyn) to track Cutter down & kill him. Meanwhile Detective's Hooper (Marcus Aurelius) & Browning (Cash Casey) don't have a clue & a nosey reporter named Raimy Baker (Melanie Smith) becomes involved in the battle between Cutter & the Vampire's on which the very fate of Earth rests!

Directed by Rick Jacobson I thought Night Hunter was quite a fun way to pass 85 odd minutes. The script by William C. Martell mixes martial arts & horror with a fair degree of success, it moves along at a nice pace & is at least never boring & thankfully doesn't seem to take itself too seriously. The character names that reference other horror film director's/actors are a little tacky though. Some may be surprised at how closely Night Hunter resembles Blade (1998) yet was made a couple of years prior, the lone moody long coat wearing Vampire hunter who happens to be an expert in martial arts, the scene set in a nightclub & the innocent woman drawn into the world of Vampire's. Night Hunter doesn't really stick to traditional Vampire film law, for instance sunlight only irritates their eye's, they can only breed on a solar eclipse (why?), stakes through the heart & garlic is no good as the way to kill a Vampire in Night Hunter is to break it's neck. I could have done with a bit more horror & a bit more blood as it leans more towards the martial arts side of things. The dialogue is suitably cheesy & the character's are just about likable enough in a silly way.

Director Jacobson does his best to ruin the film, the actions scenes are OK but lack a certain something & for some bizarre reason whenever an action sequence takes place he shakes his camera constantly, it's like the camera is placed upon a washing machine full cycle! Hey Rick, mate, it's not clever or stylish it's irritating & annoying. The gore is disappointing with a few gory gunshot wounds & a few splashes of blood, breaking Vampire's necks don't involve much blood unfortunately.

With a budget that probably didn't amount to much Night Hunter is competently made throughout. The acting was bad most of the time & what's with 'The Dragon' thing in Don 'The Dragon' Wilson's name? Has he legally changed his name? Does he sign cheques Don 'The Dragon' Wilson?! Does he get mail addressed to him in that name? I think I might do something like this, from now on I want to be known as Paul 'The Killer Klown' Andrews...

Night Hunter is one of those crap films that transcends it's limitations & awfulness to become pure golden entertainment. If you like your films fun then Night Hunter might be for you, if your looking for big-budget thrills in a similar vein (! Vampire's, veins & blood get it?) then Blade & it's sequels would probably be a better choice. What the hell, I liked it so sue me. positive positive +I saw this film as a kid about 30 years ago, and I haven't forgotten it to this day. I couldn't say whether it's a good picture. But in those days I instantly fell in love with Jean Simmons. The memories concentrate on the very erotic feel of the movie, but I still remember the plot. Simmons was very young then, and there is another film that gave me the same feeling: David Lean's GREAT EXPECTATIONS. And again it was the young Jean Simmons. It's a pity that BLUE LAGOON is not available on video; I'd like to correct my memories... positive positive +For a feature film, the plot closely follows history--or at least historical gossip. But then the Chinese, who know the story very well from seeing it portrayed again and again, would never tolerate it otherwise. The attention to detail is wonderful, especially for anyone who has read Sima Qian's account in the Records of the Historian. Jing Ke, according to Sima Qian, did indeed make an attempt on Qin Shi Huang's life at the request of the Crown Prince of Yan before unification. Sima Qian explicitly mentions both the head of General Fan and the dagger rolled up into the map, as well as the dagger being thrown into the brass column. Although Jing Ke is described as no stranger to swordplay, he's hardly the invincible warrior portrayed by Chen Kaige. Jing Ke is indeed this film's weakest link. In reality (again, according to Sima Qian), he was a heavy drinker and put off his visit to Qin for as long as possible, spending a good deal of time with the ladies of Yan before the crown prince finally ordered him on his way. He was, in short, a human being and was not looking forward to death although he was willing to accept it. Chen Kaige's Jing Ke is afraid of death, but not his own. He is the classic ruthless killer turned disillusioned pacifist. His love (or maybe just affection) for a woman and pity for several hundred children whom Zheng had buried alive (not even two thousand years of hostile Confucian historians claimed Qin Shi Huang did this, although there is a legend about him burying 460 Confucians up to their necks and then beheading them)is enough to make this former assassin kill again. The melodrama is not convincing and the character ends up being just plain boring. The acting here isn't shabby, though not very interesting given the character. As for Lady Zhou, in all the numerous stories I've heard about Qin Shi Huang, she's never come up. Anyway, Gong Li is famous enough for Americans to have heard of her (thanks to Zhang Yimou) and there needed to be a love interest, so here she is. It's unfortunate that her performance is almost as wooden as Jing Ke's character. She's done much better (in Qiu Ju for example) at being subtle; here she just barely manages presence. But all of this is trivial compared to the extraordinary acting of Li Xuejian as Zheng himself. Qin Shi Huang is for the Chinese rather what Milton's Satan is for us: accepted as a villain, but a noble one. Qin Shi Huang's accomplishments radiate an awe all the way across two thousand years into the present and Li captures his frightening will without compromising his humanity. Li's performance is enough, but the scope of the film is grand although the photography is purposely drab. It does feel ancient. The score is adequate, scarcely moving though very appropriate to the action. Though I've only seen it once, I believe that Chen Kaige should be given more credit for his camera work than other reviewers have allowed him. The opening credits are exhilarating. If five stars its absolutely average, I given three more for Li Xuejian's acting and Chen Kaige as an actor, writer, and director. positive positive +I just saw this movie for the first time last night. Wow! What a movie! This is the kind of movie you want everyone in the world to see because its just so cool and so interesting.

I do not want to give a single word about the plot because I think it would be better for people to go in cold. DO NOT READ THE PLOT SUMMARY before you see the movie! All I'm going to say is that Eastwood, Malkovich, Peterson, and the screenplay by Jeff Maguire are top notch. I wish all thrillers were more like this one. positive positive +I disagree with the imdb.com synopsis that this is about a bisexual guy preparing to get married. It's more about all the crap we go through - self-induced and because of our parents - that we have to 'get over' when we grow up. Like the Linda McCarriston poem says, 'Childhood is the barrel they throw you over the falls in.' This movie is much more like a narrative poem. It's about life and the mistakes we make and hurt we inflict and experience over the years, and how in the end, it's all about love (I'm not trying to be hyper-sensitive or schmoopy) and finding and being with one special person. positive positive +Helges best movie by far. Very funny, very surrealistic. If Bunuel made a movie starring Buster Keaton as Krusty the Clown it would look like this.

Brilliant performances by the cast we already know from other Schneider movies, especially Helmut Körschgen as the sidekick of 00Schneider. (Andreas Kunze who once more plays the wife in this one is a bit annoying though). And of course Helge himself as Nihil Baxter is absolutely incredible.

P.S: if this movie had a proper merchandising i would really like to buy a replica of that 'Holz ist' painting. positive positive +Although the video box for many copies of this film claims it is about people turned inside out, this is a total lie. In fact, apart from the opening segment, the film isn't even a horror movie. With its sunken treasure, legions of fish people, and mad scientists, it's a lot more like a Doug McClure adventure movie. Obviously, this film is no work of art, but it's kind of fun to watch... Just be warned that the beginning is quite gory. positive positive +Although little more than a pleasant 11-minute musical diversion (it's rightly billed as a 'Tabloid Musical') EVERY Sunday is one of the most famous and precious documents in cinematic history, since it provides an invaluable look at the burgeoning talents of two of the screen's most talented and beloved musical performers: Deanna Durbin and Judy Garland.

Although often cited as an screen test of sorts, produced by MGM to test the adolescent appeal of studio contractees Durbin and Garland whose options were reportedly coming up for renewal, this assertion is not entirely accurate. By the time EVERY Sunday was produced in July, 1936, Deanna Durbin's contract with MGM had already lapsed and she had been immediately signed by Universal a month earlier, in June 1936.

However, a provision in Durbin's MGM contract permitted the studio to exercise an option on her services for up to sixty days, providing she had not yet begun work on a picture at her new studio. As Durbin's debut vehicle, THREE SMART GIRLS, was still not ready to begin filming, MGM chose to exercise its' option and, although officially under contract to Universal at the time, Durbin found herself back on the MGM lot filming this agreeable short subject with fellow adolescent singing hopeful, Judy Garland.

This, along with Garland's far more extensive prior professional performing experience/training (which included appearances in several earlier movie shorts), may explain why EVERY Sunday often seems to favor Judy Garland over Deanna Durbin, giving Garland more lines to speak and an original song ('Americana') to sing, while Durbin offers the popular classical art song, 'Il Bacio' by Luigi Ardiiti. Certainly, it would make perfect sense that MGM would want to favor one of its' own contract players over another from a rival studio.

Ironically, although Garland's character is the more overtly pro-active one of the two girls in this short, it would be Durbin's feisty and impulsive 'Little Miss Fixit' screen persona at Universal which would propel her to instantaneous worldwide super stardom as the world's first 'Teen Idol' with her debut vehicle, THREE SMART GIRLS, while Garland's more passive 'wistful wallflower' adolescent image would see her generally cast in supporting roles opposite frequent screen partner Mickey Rooney and (in ZIEGFELD GIRL) the up-and-coming Lana Turner. Not until her fifteenth MGM feature, 1942' FOR ME AND MY GAL (which was also her first fully 'adult' role) would Garland achieve the solo above-the title billing and 'solo attraction' status of a true superstar that Durbin had attained instantaneously six years earlier.

It is entirely inaccurate, therefore, to assert that Garland was the only 'superstar' attraction of the two girls, as Durbin attained this status with press 'n public, almost a decade before her MGM rival. Literally in foreclosure at the time of her signing, the on screen evidence strongly suggests that Universal was much quicker to realize Deanna's full superstar potential than MGM was with Judy, and it's worth noting that almost every notable accomplishment Garland achieved at MGM, from superstar billing, to having starring vehicles specially written to showcase her talents and appeal, to being invited to plant her footprints in the forecourt of Graumann's Chinese Theater, to receiving an 'Honorary' Oscar' in recognition for her talent, Deanna Durbin received well before her gifted MGM contemporary.

In any case, EVERY Sunday is a delightful, utterly unpretentious musical short. Its plot line (Durbin and Garland use their singing talents to save Durbin's grandfather from being forcibly retired by the town council from conducting his Sunday concerts in the park), presages the plot lines of both Garland's 'Let's Put On a Show' musicals with Mickey Rooney and Durbin's 100 MEN AND A GIRL. Unlike Garland's later BABES films, the short never treats the insubstantial storyline seriously, and consequently, its' eleven minute running time flies by.

Of course, the true magic of EVERY Sunday is in observing the already remarkable performing talents/screen presences of Durbin and Garland at the very beginning of their legendary careers. Both girls, even at this early stage, possessed remarkable screen presences and are utterly natural and unaffected in their presentation as both singers and actresses. Garland fairly explodes off the screen with vitality as she literally punches out the lyrics to the jaunty 'Americana.' As she socks across the number with appropriate hand gestures, Judy literally seems to be chewing on the words of the song as she screws up her mouth and bugs out her eyes in her intense eagerness to show what she can do.

By contrast, Durbin's presentation of 'Il Bacio,' is far more demure and subdued. Although entirely appropriate for her 'classical' selection, Durbin's delivery of Arditi's waltz is much more of the traditional 'stand 'n sing' variety than Garland's physically emotive turn. Nevertheless, though 'miniature diva' Deanna does nothing to call attention to herself, with her candid eyes, dazzling smile and artless delivery, she easily holds the screen with 'jazz baby' Judy, and their delightful duetting of 'Americana' in the short's finale makes one regret all the more that producer Joe Pasternak was never able to realize his dream of pairing Durbin and Garland in a musical feature film (because Universal refused to loan 'Number One Asset' Durbin out).

A priceless document of the nascent talents of two remarkable and utterly unique talents. See this one if you get a chance! positive positive +Story of a strange love and a fall desire. Poem about beauty and his perfection, fear and touch.A slice of Visconti, Mahler and Mann. And an agonize Venice. Idon't know if it is a masterpiece, a poem or the reflection of a film director's world. It is, absolutely, a' memento mori'. and a exploration of illusion. A old mirror of limits, signs and death's delicacy. A trip in an old space, nostalgic, cruel and splendid. 'Death' is a Orfeu's trip copy in the immediate reality. And the essence is the music. A soft, sweet music, like honey or winter's fire. Like every regret and every sorrow. Like a refuge in deep solitude. Gustav is gay by accident. He is the Researcher of last form of God's presence. The Beauty, that beauty who gives life's sense, who is sin and virtue in same time, the gift of expectations and sufferings. He dies because he has right to hope, to believe in the reality of miracle and in his way. A victim? No way! Only Tadzio may give the freedom like an insignificant sacrifice. Who saw the sun can hope to live in same condition? positive positive +After being off the air for a while, Columbo returned with some new made-for-TV mysteries that, while not being as good as the original series, are better than the shows that were done in the later '90s.

'Murder Can Be Hazardous to Your Health' used the then (and I guess now, if you think about it) true crime shows as the situation for a murder. The murder is committed by a very successful, egomaniacal true crime show host, George Hamilton (in a nice bit of casting). His chain-smoking nemesis, who lost the job to him, played by Peter Haskell, attempts to blackmail Hamilton when he discovers a porno video Hamilton made with an underage actress in his salad days. Hamilton uses Haskell's cigarettes to deliver the death blow via poison, giving himself an alibi as well.

Columbo is brought in to find out what happened. You know the rest. Highly entertaining. positive positive +Wilhelm Grimm (Alexander Knox) stands trial for Nazi crimes. Three witnesses give evidence - Father Warecki (Henry Travers), Wilhelm's brother Karl (Erik Rolf) and Wilhelm's former lover Marja (Marsha Hunt) - before Wilhelm speaks in his own defense. The film ends after the court sums up....

The film is told in three flashback segments as each of the witnesses takes the stand. The story is mostly set in a small Polish village and memorable scenes include the village reaction to the death of Anna (Shirley Mills), who Wilhelm is accused of raping; the treatment of the Jewish villagers as they prepare to be moved to concentration camps; and the church service where Willie Grimm (Richard Crane) denounces his Nazi upbringing whilst mourning for his girlfriend Janina (Dorothy Morris), Marja's daughter, after she has been shot at a brothel.

Throughout the film, Knox is unrepentant and is very convincing as a bitter, resentful and evil man. Martha Hunt has some powerful moments and matches him with her strength and Henry Travers is also very good in his role as a priest. This film delivers an effective story that stays with you once it has finished. positive positive +THE GREAT CARUSO was the biggest hit in the world in 1951 and broke all box office records at Radio City Music Hall in a year when most 'movergoers' were stay-at-homes watching their new 7' Motorola televisions. Almost all recent box office figures are false --- because they fail to adjust inflation. Obviously today's $10 movies will dominate. In 1951 it cost 90c to $1.60 at Radio City; 44c to 75c first run at Loew's Palace in Washington DC, or 35c to 50c in neighborhood runs. What counts is the number of people responding to the picture, not unadjusted box office 'media spin.' The genius of THE GREAT CARUSO was that the filmmakers took most of the actual life of Enrico Caruso (really not a great story anyway) and threw it in the trash. Instead, 90% of the movie's focus was on the music. Thus MGM gave us the best living opera singer MARIO LANZA doing the music of the best-ever historic opera singer ENRICO CARUSO. The result was a wonderful movie. Too bad LANZA would throw his life and career away on overeating. Too fat to play THE STUDENT PRINCE, Edmund Purdom took his place --- with Lanza's voice dubbed in, and with the formerly handsome and not-fat Lanza pictured in the advertising. If you want to see THE GREAT CARUSO, it's almost always on eBay for $2.00 or less. Don't be put off by the low price, as it reflects only the easy availability of copies, not the quality of the movie. positive positive +Before the WWF became cartoon with Hulk Hoagan leading the way, the events of WWF TV broadcasts of the very early 1980s resembled the wild, wild west with all kinds of grudges and vicious acts of violence performed by some of the wrestlers that are known today to be the WWF's most beloved stars. Some of these seemingly very real moments stand out. A maniacal Sgt. Slaughter whipped then champion Bob Backlund with a riding crop after Backlund showed him up in a fitness test. Welts were all over Backlund! Sarge made the Iron Shiek look like a daycare provider! Slaughter also issued a challenge to anyone who could break his dreaded cobra clutch hold. This led a legendary and bloody alley match with commentator Pat Patterson. Hall of Fame member Blackjack Mulligan with Freddie Blassie came into the WWF with a claw hold that was censored on television. He claimed he was the true giant at 6'7' and challenged Andre long before Big John Studd in 1984. Adrian Adonis used his ominously named 'Good Night, Irene' sleeper to take out the competition. A New Yorker clad in black leather, he was an ominous figure. George 'the Animal' Steele was far from a crowd pleaser, as well. Even Jimmy Snuka was a fearsome sight as he set out maim opponents until Ray 'the Crippler' Stevens delivered a piledriver onto the cement floor leaving Snuka a bloody mess. All these encounters took place a decade before hardcore wrestling was ever spoken of. positive positive +This is one of the best comedy ever ! The writing of this parody of soap is brilliant and the cast, well just look at the names of the cast and you'll understand why it is so great. If you're a Kevin Kline fan, he does (as always) an fantastic performance, and Robert Downey Jr is perfect. If you don't laugh while seen this movie, you don't have any sense of humor. positive positive +The Odd Couple is a comic gem. One the funniest script ever committed to celluloid - exceeded only by Strangelove, Spinal Tap and Lebowski! Lemmon and Matthau are best friends: obsessive compulsive Felix and sloppy, irresponsible Oscar. Oscar's wife has already left him because he is impossible to live with due to his irresponsible attitude. Felix's wife leaves him at the start of the movie, and after an aborted suicide attempt he moves in with poker buddy Oscar. Thats when the fun begins.

The entire script is brilliant and filled with brilliant one-liners. You are probably already familiar with the 'F.U.' joke but it still works brilliantly due to Matthau's comic timing.

My favorite moments are when Lemmon tries to clear his sinus in the diner and when the Pigeon sisters are being charmed by a very suave Matthau and Lemmon is totally out of his element. This one requires repeat viewings! positive positive +My friends and I saw this at the San Diego Black Film Festival. It was great. Stormy is a strong black woman and Nana reminds me of my grandmother.

Rene is FINE!!! Seeing him take off his clothes was definitely worth the price of admission. Can someone forward me his contact info?

My friend thinks Flex is the finer of the two. She's been a Flex fan for years though so she might be a little biased. The cousins were funny and just as trifling as Nana described them. LOL.

I am looking forward to seeing this movie again when it comes to theaters. positive positive +I'm seen this documentary in its feature-form, in a movie theatre. And... wouah! The pictures are astonishing, one really wonder how by Jove did they manage to film those waves, those animals, those... is that a plant ? a predator ? a creature from the movie Abbyss ? Anyway, it's remarkable. Sure we've seen a lot of such documentary on TV, with weird animals and so on, but none with such a beauty, a precision, a deep emotion. The only downside is the commentary. In French it's narrated by François Perrin, usually good and familiar with beautiful documentaries, but the text is not good at all. Not enough informative of too much, innapropriatly anthropoid... positive positive +I saw this movie on television as SCREAMERS and loved it. I heard an interesting story about this film. When Roger Corman released it to drive-ins in the summer of 1981, his trailer department sent out an advance trailer which was not actually footage from the film. It was allegedly footage of a naked woman being chased around a laboratory set by a monster. During the film's opening at drive-in's, irate customers complained the did not see the movie they paid to see. Theater owners called Corman and said their customers felt ripped off. So Corman had to run off copies of the footage, and send the positive film to theater owners to splice into the film themselves. Since the footage was never part of the film negative, it has not appeared in any video, DVD or television broadcast. Has anyone ever seen this footage? Anyone who saw this film at a drive-in in the summer of 1981 remember this? positive positive +I have seen 'Chasing the Dragon' several times and have enjoyed it each time. The acting was superb. This movie really makes you realize how one bad choice at a weak moment can change your life. positive positive +saw this movie and totally loved it the characters are great . it is definitely my kind of movie you do not get bored in this movie i love independent films they are so much more rewarding. my husband and i really enjoyed Jay's style. if you are an open minded person who loves thought provoking films and loves conversation after it's over you will love this film. it is definitely thought provoking.the film definitely will step on some toes but who cares those people will probably not go to see this movie. it is amazing to see the characters evolve . Jay Floyd has really captured both sides of the table. Applause applause Jay i hope you are working on another movie. positive positive +I just do not see what is so bad about this movie. I loved this movie! I thought this movie was the best film in the series. Though part 3 is the best in the series,I still gave this film 10 out of 10 because it is great. I don't see what everyone hates this movie. Who would not want to see just a little bit of critter action. I wished that Brad Brown would of appeared in this one because it might of made it a little better. Those who like a little bit of drama because...wait I won't tell you,you will just have to watch it. This film also contains a few popular actors who are...(I won't tell you because I hate it when people give spoilers so I do not want to be one of those people). Well I guess that is all I have to say about this movie. positive positive +I saw this on a flight over to the U.S and was a little sceptical at first as a few people had said there were so many characters in it that you didnt get to know any of them. However I didnt find this at all. The film is fast, but this is due to the nature of the director and the star. The chase scenes are excellent and yes it may be predictable but isnt that true of most films. The main villain is a bit of a let down, Christopher Eccelston is not as convincing as he could have been, but that said its still a good film. positive positive +'Johnny Dangerously' is a sort of hit and miss comedy that has it's laughs and 'huh?'. But I suggest to give it a chance. I think it is greatly over looked. Not too many people give this movie a chance. It does work. Just think of it as a little parody of 'Goodfellas'. Michael Keaton is very funny in his role. And he does it well. Johnny Dangerously is a gangster who wants to go higher in life. He just works his way up from the big bosses to a beautiful wife. And of course like a lot of the mob movies, someone wants him dead. 90% of the jokes get a laugh. Like, I said give it a chance. Just take your favortie gangster movies and mix a comedy in. You have 'Johnny Dangerously'.

7/10 positive positive +Bedrooms and Hallways is the kind of film that makes you realize that the drama of life is hidden in the details. And that drama can be great fun too! Even though your own love life and your own friends may not be as unique as the characters in this movie, every one is bound to recognize themselves and others in the colorful protagonists of this film. And that's the great strength of Bedrooms and Hallways, that the irony of life is that the most confusing things that happen to you can be the most interesting/hilarious/funny/sexy/...things too! Hope you'll enjoy the film as much as I have! positive positive +A really great movie and true story. Dan Jansen the Greatest skater ever. A touching and beautiful movie the whole family can enjoy. The story of Jane Jansens battle with cancer and Dan Jansen love for his sister. Of a important promise made by Jansen to win a gold medal to prove his sister Jane was right to believe in his talent in speed skating was justified. This picture is well worth the time. I wish they would make more films of this quality. Thank you for a great film with excellent actors and an excellent story. It is a very touching story about a beautiful family support and faith for their children and a special dream for their youngest son and his sister. positive positive +I saw this movie once a long time ago, just once, and I didn't know where it had come from, and I looked for about six years to find it, and I finally found it here at IMDb.com! Just the whole concept of the movie is great, I believe it's got something to do with a race of bioengineered beings, keeping tabs on us and our planet, but there is one person who keeps out of being assimilated into conformity. And the way that he does it,to keep himself from being tracked and located, is what keeps the movie entertaining. I don't remember exactly how it ended, but I remember, it finished with a great climax, and a good twist. positive positive +myself and 2 sisters watched all 3 series of Tenko and agree this is by far one of the BBC better series.The whole cast were very convincing in the parts they portrayed and although the 3rd series was somewhat slower it was compelling viewing and my evenings wont be the same without it.No doubt we will be watching it again as it is a series which I would never get sick of watching.Excellent viewing and full marks to the BBC for such a brilliant series and the casting.First rate in all departments and would recommend this series to anyone although some age limits must be considered because of some adult material.So grateful to the BBC for releasing this series on DVD and Video. positive positive +The show is GREAT. No words to describe it. Wonderful music. Incredible dance. The editors couldn't spoil it, not because they were not *that*bad*, but because the show is really *that*good*.

The editors are compulsive cutters, you can't see a scene without a cut for more than 15 secs. It's OK to show various angles, but those guys were working with multiple cameras for the first time in their lives, and they will remind you of how many cameras they have every five seconds on average... They manage to film the start of a jump with one camera, then cut it in the middle, and show the rest of it in another angle.

No matter how much they tried, they couldn't spoil that wonderful show. It's a must for dance and music lovers. positive positive +This is one of may all-time favourite films. Parker Posey's character is over-the-top entertaining, and the librarian motif won't be lost on anyone who has ever worked in the books and stacks world.

If you're a library student, RENT THIS. Then buy the poster and hang it on your wall. The soundtrack is highly recommendable too. I've shown this film to more library friends than any other -- they all fall in love with it. positive positive +Similar to 'On the Town,' this musical about sailors on shore leave falls short of the later classic in terms of pacing and the quality of the songs, but it has its own charms. Kelly has three fabulous dance routines: one with Jerry the cartoon mouse of 'Tom and Jerry' fame, one with a little girl, and a fantasy sequence where he is a Spanish lover determined to reach his lady on a high balcony. Sinatra, playing Kelly's shy, inexperienced buddy, and Grayson, the woman who serves as the love interest for both men, do most of the singing. Iturbi provides some fine piano playing. At nearly two and half hours, it is a bit too long for a light musical but it doesn't drag. positive positive +This much anticipated DVD memento of Rush's visit to South America in 2002 is possibly the finest rock video ever set down on disc.The picture and sound production values are amazing,even more so as they constantly battled the elements to bring this production off. All the tracks you would expect from the RUSH catalogue are here from Tom Sawyer to The Pass gloriously reproduced for the frankly,orgiastic Brazilian crowd.They actually singalong to YYZ-which is an instrumental, and gives you an indication of their fervour!The first disc is the concert and the second disc contains 3 multi angle set-pieces -la Villa Strangiato,YYZ and the awesome drum solo, plus a 30 minute documentary about the bands visit to Brazil. All in all this is a triumph and all serious classic rock fans should own a copy. positive positive +First of all, it is interesting to note that one of the users here who commented on this film (from Belgium) had to add that Lumumba was 'communist.' If this user indeed watched the film, the message was that he was not communist but pigeonholed (by none other than Belgium, the U.S., the UN, etc.) as a 'communist' leader for other individuals', corporations', and country's political and economic gains. Even if one decides to accept that the film partakes in 'revisionist history' it would be naive to assume that Lumumba was communist, especially coming from the country which 'granted' the Congo independence, and since Lumumba was elected DEMOCRATICALLY to his seat as Prime Minister.

Onto the film...

This is one of the most important and powerful films I have seen in quite some time. Depicting the struggles of the African freedom fighter, and ELECTED Prime Minister's struggles as its first leader, Mr. Peck, does a quite commendable job of putting together all of the pieces into one work. And this must have been quite some task. Due to the fact that most people outside of the Congo and Belgium likely do not know the history of Lumumba and the Congo, outside of some light coverage of African Imperialism (hopefully) in one of their high school/secondary school (or maybe university/college level) history classes, he had his work cut out for him.

And to to think that Oliver Stone's 'JFK' took over 3 hours, 'Lumumba' runs under 2 hours. And a most engaging 115 minutes it was, as we find that his desire to not compromise with Western powers (whom he holds responsible for the atrocities to his people, particularly Belgium), while trying to deal with power struggles within his own borders, apparently even with some of his friends, it is amazing that the man lived as long as he did.

This is a MUST see for anyone interested in equality, justice, humanity, history, politics, and true freedom. You will not be disappointed. positive positive +Las Vegas is very funny and focuses on the substance.....

The sets are amazing and the scenes outside are breathtaking; the characters are all very fun and cool.

The women are a plus....

Holly Sims is lovable as the daughter of James Caan who heads the security of the casino. While Josh Duhamel is very funny and lets face it, he looks like he can take down anyone.

Vanessa Marcil and Nikki Cox add that special touch.

The story lines are very fun and weird at times.

You can easily just relax into this show and doesn't bring the heavy story lines like the other shows that rule the ratings... positive positive +Screened at the San Francisco International Film Festival under the title ' Come Undone', April 25, 26, & 27, 2001. The cinematographer uses techniques that add to the storytelling. Even with fall/winter backgrounds for the 'present' and spring summer for the 'flashbacks' there can be some difficulty following the continuity.

Whether either lead is gay, the actors well-portray the budding relationship in real life terms; from physical violence toward each other to their passionate lovemaking. The story pulls you into the characters a bit slowly in the beginning. But as the end approaches, you really care about where these guys will be next summer! You, too, will want a sequel to find out. positive positive +If you are very sensitive when it comes to extreme racial stereotypes, this cartoon is not for you. But if you are strongly interested in seeing a rare piece of wartime animation, come on in!

In this cartoon, Popeye is patrolling the seas and discovers what looks like a Japanese fishing boat. The two Japanese fishermen trick Popeye into thinking that they want a peace treaty signed. But looks can be deceiving; the fishing boat turns out to be a Japanese navy ship! What follows is considered today to be morale-boosting propaganda.

Be forewarned, the representations of the Japanese in the film are done in a mean-spirited fashion. Keep in mind, though, that there was a war going on at the time. But I strongly recommend this cartoon to those who are interested in the WWII era. positive positive +This film hits the heart with a reality like no other I have seen. It shows what us what we, in a democratic society, take for granted, and just what we are lucky enough not to be experiencing. The acting in the film is superb, sometimes you have to remind yourself that the movie is a dramatization, and not real life. Mr. Rickman does wonders with his role (as he does with all roles) making the interrogator fully dimensional and human. The set is incredible. It gives the feeling of 'in the round' theater. Which does not add or take away from the emotion of the action. This movie seeks to open the eyes of the viewer, and I'd say they have made a success of that goal. positive positive +The movie actually has a fairly good story, but gets bogged down in several key places. It's almost as if the director threw the movie together without taking the time to make some essential cuts in the film. Dennis Quaid does a fairly decent job in his role... but something is clearly missing from several key scenes.

This 2.5 hour movie could have been reduced to about a 2 hour movie. And probably would have been a much better film had it not had the feel as if it was thrown together.

positive positive +You better see this episode from the beginning, because if you start to watch it any later, you will be confused as to what is happening to Clark's life.

Yet, that is the twist; Clark is stuck in an alternate reality. Lana is devoted to him. Lex lost most of his legs and is in a wheelchair due to the bridge accident when he swerved to miss Clark in the pilot of the series. Martha is married to Lionel. About the only constant is his most loyal friend Chloe, who still believes in who he is. And, oh yeah, he doesn't have any superpowers. He is in a mental institution for putting himself in a fantasy world where he does have powers, and is ridiculed for believing so. Aside from Chloe, there is one mysterious figure who believes in Clark: a black man who in the alternate reality is also a resident of the institution, who believes he is from Mars.

Clark must stay true to everything he believes is actual reality, and not get brainwashed by the institution's psychiatrist, who is in fact the fourth Phantom Zone escapee.

This episode is utterly mind-blowing and shocking. Plus, it provides a fresh twist from the usual type of 'Smallville' episode. positive positive +This is the essence of the early eighties! The malls, the credit card machines, the food, the punk hair color, the soundtrack... I am in love with this movie. This sweet, intelligent Romeo & Juliet teen flick is instantly addictive.

Martha Coolidge is one of my favorite directors. She really employs her actors, like John Hughes and Steven Soderberg, so check out -Joy of Sex- and -Real Genius-. The soundtracks for -Valley Girl- are great. If you can find a copy of the film, buy it! It's out of print and very hard to come by. positive positive +A truly excellent look at the world and the realities of being a heroin addict. The movie is one that will hit much too close to home to those who were involved in the drug culture and have knowledge of what being(or being around) a heroin addict really is. Good movie, which will never truly be outdated. Excellent performances by all involved and the minimalist set is Preminger's way of showing how bleak a JUNKIE'S world can become. Worth a look--an education of sorts. The golden arm is a worried look at the truth of the underground life of pain a junkie lives in. positive positive +I saw this film at the Toronto International Film Festival. Filmed during an actual qualifying match for the 2006 World Cup, Offside works brilliantly as both a comedy and a tragedy. The film follows the fortunes of a group of young women who are caught trying to sneak into a football match at Tehran's Azadi Stadium. The country's Islamic religious leaders have decreed that women may not sit with men at sporting events, lest they be exposed to cursing and other morally questionable behaviour. This hasn't stopped the country's young female fans, who continue to sneak in using various tricks. But Panahi focuses on a small group who have been caught and are being detained agonizingly close to the action. They beg the bored soldiers guarding them to let them go or at least to let them watch the match. The soldiers tell them they shouldn't have tried to get in, that they could have watched the game at home on TV. They banter back and forth in almost real-time as the game continues, just off- camera.

There is one very funny sequence where a young soldier accompanies one of the girls to the restroom. Since there are no female restrooms at stadiums, he has to clear the room of any men before he can allow her to go in. Plus, he makes her cover her face so no one can see she's a woman. This is accomplished using a poster of Iranian soccer star Ali Daei as a mask, with eye holes punched out.

You get a real sense that even the soldiers are baffled by the prohibition, and are only carrying out their orders so as to hasten the end of their compulsory military service. One soldier complains that he was supposed to be on leave so he could take care of his family's cattle in the countryside. Little by little, the girls and the soldiers talk to each other, and there are numerous small acts of kindness on both sides to show that these are basically good people living in terrible circumstances. However, the soldiers' constant reminder that 'the chief' is on his way lends a sense of menace, since we don't know what sort of punishment the women will face.

Unlike most Iranian films, which are known for their strong visuals, Offside is filmed in a realist style with no artifice. In fact, the film was made during the actual qualifying match against Bahrain that took place on June 5, 2005. The 'plot' in many ways was determined by the result on the pitch. If Iran won the match, they would qualify. If they lost, they would not. Since the World Cup has come and gone, I don't think it is a spoiler to say that Iran won the match. The scenes of celebration at the end of the film were real and spontaneous, which gave the film a real authenticity. Seeing how much this meant to the people of Iran was deeply touching.

As well, one of the young women makes reference at the end of the film to seven fans who died during the Iran-Japan match on March 25, just a few weeks before. They were trampled to death after police began to spray the crowd with water to move them in a certain direction. Knowing that this was a real-life tragedy added another level of poignancy to the celebrations.

I don't want to go off on a long political tangent, but this film gave me real hope that there are those in Iran who are hoping for change and working at it. Iran is a nation of young people, and it is only a matter of time before they take the place of their elders in the political sphere. Films like this one show the proud spirit of the Iranian people in spite of their present difficulties, and it's my sincere hope that there is a brighter future for them. positive positive +Diane Keaton gave an outstanding performance in this rather sad but funny story which involved quite a few young people and their deep dark secrets. Diane Keaton,(Natalie),'The Family Stone','05, who had an only daughter and loved her beyond words can describe. She always called her and told her, 'Surrender Dorothy', which was an expression used in the 'Wizard of Oz',1939. A sudden car accident occurs and Natalie gets herself deeply involved with her daughter's friends and lovers. As Natalie investigates, the more truths she finds out about herself and her real relationship with her daughter. Great film to view and enjoy, especially all the good acting from all the supporting actors. positive positive +L'Hypothèse du tableau volé/The Hypothesis of the Stolen Painting (1979) begins in the courtyard of an old, three-story Parisian apartment building. Inside, we meet The Collector, an elderly man who has apparently devoted his life to the study of the six known existing paints of an obscure Impressionist-era painter, Tonnerre. A narrator recites various epigrams about art and painting, and then engages in a dialogue with The Collector, who describes the paintings to us, shows them to us, tells us a little bit about the painter and the scandal that brought him down, and then tells us he's going to show us something....

As he walks through a doorway, we enter another world, or worlds, or perhaps to stretch to the limits, other possible worlds. The Collector shows us through his apparently limitless house, including a large yard full of trees with a hill; within these confines are the 6 paintings come to life, or half-way to life as he walks us through various tableaux and describes to us the possible meanings of each painting, of the work as a whole, of a whole secret history behind the paintings, the scandal, the people in the paintings, the novel that may have inspired the paintings. And so on, and so on. Every room, every description, leads us deeper into a labyrinth, and all the while The Collector and The Narrator engage in their separate monologues, very occasionally verging into dialogue, but mostly staying separate and different.

I watched this a second time, so bizarre and powerful and indescribable it was, and so challenging to think or write about. If I have a guess as to what it all adds up to, it would be a sly satire of the whole nature of artistic interpretation. An indicator might be found in two of the most amusing and inexplicable scenes are those in which The Collector poses some sexless plastic figurines -- in the second of them, he also looks at photos taken of the figurines that mirror the poses in the paintings -- then he strides through his collection, which is now partially composed of life-size versions of the figures. If we think too much about it and don't just enjoy it, it all becomes just faceless plastic....

Whether I've come to any definite conclusions about 'L'Hypothèse du tableau volé', or not, I can say definitely that outside of the early (and contemporaneous) works of Peter Greenaway like 'A Walk Through H', I've rarely been so enthralled by something so deep, so serious, so dense....and at heart, so mischievous and fun. positive positive +After seeing this DVD, I was floored. It is SO wonderful. Not only does it capture Led Zeppelin during convented performances, they span a few years. This only shows the growth of the band, and the growth of their GREAT music. This DVD is a MUST HAVE! The DVD is over 5 hours long, with extras. The extras are also great pieces, some are of the band performing in Denmark, and other various promo spots. This contains footage that was once thought lost, thankfully recovered, and carefully restored to 5.1 Dolby Digital, under direct supervision of Jimmy Page himself! Includes many timeless classics, such as, Stairway To Heaven, Going To California, What Is And What Should Never Be, Moby Dick, and so many more. Great acoustic songs are also included. This will correct any forethought that Jimmy Page isn't a supreme guitar legend! positive positive +Hearkening back to those 'Good Old Days' of 1971, we can vividly recall when we were treated with a whole Season of Charles Chaplin at the Cinema. That's what the promotional guy called it when we saw him on somebody's old talk show. (We can't recall just whose it was; either MERV GRIFFIN or WOODY WOODBURY, one or the other!) The guest talked about Sir Charles' career and how his films had been out of circulation ever since the 1952 exclusion of the former 'Little Tramp' from Los Estados Unidos on the grounds of his being an 'undesirable Alien'. (No Schultz, he's NOT from another Planet!)

CHARLIE had been deemed to be a 'subversive' due to his interest and open inquiry into various Political and Economic Systems. Everything from the Anarchist movement from the '20s (and before), the Technocracy craze to Socialism in its various forms were fair game for discussion at Chaplin's Hollywood parties; which of course meant the inclusion of the Soviet style, which we commonly call Communism.

COMPOUNDING Mr. Chaplin's predicament was both confounded by one little detail. He had never become an American Citizen.

ANYHOW, enough of this background already!

SUFFICE it to say that he had become 'Persona Non Gratis' in the United States of America. .It was high time to get the old films out of the mothballs and back out to the Movie Houses. It'd sure be a great gesture by us easily forgiving and quickly forgetting Americanos.

IT would be a fine gesture to the great film making artist; besides, the Academy of Motion Pictures Arts & Sciences was planning to honor Chaplin with a special tribute at the 1972 Oscar Show. This would surely be a tearful yet joyous packaging of pathos a plenty for having America invite Charlie back and have him come and receive a special Academy Lifetime Achievement Award in front of a World-wide Television Audience numbering in the Millions.

BESIDES, that would be a natural for promoting the Chaplin Season at the Theatre! (Remember, the Little Tramp was as astute as a Bu$ine$$ Man as he was as a Film Maker!) THE program consisted of showings of MODERN TIMES, CITY LIGHTS, THE GREAT DICTATOR, MONSEUR VERDOUX, A KING IN NEW YORK and finally THE CHAPLIN REVUE. We remember being very excited in the anticipation of the multi date film fest.

IN our fair city of Chicago, it was booked for the Carnegie Theatre on Rush Street. The festivities lead off with MODERN TIMES and all of the others would be shown one at a time, each staying for whatever period was necessary in order to satisfy the public's desire to view each picture. As we recall, the very last on the schedule was THE CHAPLIN REVUE.

IN RETROSPECT, we look back and wish that they had begun the run with REVUE; as there were undoubtedly legions of moviegoers (much like ourselves) who knew very little about his accomplishments in motion pictures, except for those Keystone, Essanay and Mutual Silent Shorts that were being shown as regular feature on so, so many Kiddy Shows all over the country. Oh well, once again, no one consulted me!

CONCENTRATING on today's honored guest film, THE CHAPLIN REVUE, we found that it was actually three separate pictures; carefully bound together by the use of narration by Chaplin (Himself), some lively Themes and Incidental Music (once again written by Chaplin) and some happy talk and serious narration (Ditto, by Chaplin.) He opens up the proceedings by making use of some home movie-type of film depicting the construction of the Chaplin Studio in Hollywood, as well as some film taken of some rehearsal time, showing Director Chaplin demonstrating just what he wants to a group of actors.

THIS segment was well done and well received by the audience. Both the building humor and the rehearsal were amplified by making them seem accelerated. (The rehearsal naturally, the building by use of speeding up the camera's photographic process. The old trick makes it appear that the buildings were almost building themselves.

THIS amalgam of shorts incorporated three of Chaplin's short comedies from his stint with First National Pictures.; roughly that being 1917 to 1923. The choice was well thought out and gave us a wide variety of subject matter and mood.

FIRST up was SHOULDER ARMS (Charles Chaplin Productions/First National Pictures, 1918). As the title suggests, it is a tale of World War I. Released in October of 1918 with about a month to go before the Armistice Day of November 11, it was a comedy of comical Army gags and a romance between Private Chaplin and a French Girl (Miss Edna Purviance). The levity is fast, physical and in the grand old tradition of ridiculing the Enemy, the German Army.

DISPLAYING an excellent example of the old adage about Children and Dogs bringing folks together, the next film A DOG'S LIFE (Chaplin Productions/First National, 1918) traces the parallel lives of Chaplin's Tramp and a newly adopted stray, Scraps. The movie story involves families, two of them. One Homo Sapiens, one Canine and both supplying us with some big surprises.

AS the finale, we have THE PILGRIM (Chaplin/First National, 1923) was a good choice to have as the finale. It was bright, light and tight. It was an excursion into the area of the Western Spoof, Comedies of such type having been done since by every comedian and team. The 'Pilgrim' in the story is not of your standard Thanksgiving Variety; but rather a 'dude' or 'Tenderfoot', who has ventured out West. The Tramp is not only that guy; but his character is an escaped Convict who is mistakenly thought to be the new Clergyman of a Western town's Church!

OUR Rating (that is Schultz and Me) is ****. (That's Four Derbies)

POODLE SCHNITZ!! positive positive +The endless bounds of our inhumanity to our own kind never fails to stun me. This truly astonishing story of a horrifically abused and largely unheard-of population is compelling, well-documented and enraging. As an American, I am constantly humiliated by my country's behaviour and this is just another in our long catalogue of international debasement. We suck. This is probably the first John Pilger documentary I've seen, but it immediately made me want to see what else he's done. My only complaint, and the reason I gave this film only 8 out of 10, is that Pilger shows us this travesty and the appalling collaboration of the US and UK governments, demands that we viewers/citizens are complicit in our own inaction...but makes no suggestion of how to help. I don't know about Britain, but America's made it nearly impossible for the citizenry to take part in their government's doings. A gesture in the right direction might help these islanders' cause. positive positive +I remember seeing this one in the theatres when it came out, having no idea what it was going to be about and being so pleasantly surprised that I vowed to buy the video when it came out.

While I won't go too far into dissecting this film, I will say that I gave it an 8/10, for all the reasons you can read in the other user's reviews.

What I will say is this:

The first 10 minutes of this film are incredible. It's as close to a textbook audience grabber as I've ever seen. I once put this movie on at a party, where everyone was winding down and getting ready to leave. I just wanted to see what would happen if I showed them the first ten minutes.

Everyone, who watched the opening, stayed to the end. positive positive +Obviously inspired by Se7en and sometimes even more gruesome; more bloodshed and very graphic details (a bit too much for my taste). Great script and acting (I was especially impressed by Ken Stott and there were no weak points in te cast). Good cinematography and very realistic stereo-sound. One of the best thrillers I've seen since years. Although it was scheduled on BBC in three parts I watched Messiah on video in one take. One point of critic; the motivation of the villain was not very convincing. positive positive +Just Go see this movie. It taps into everything awesome about rock and roll, the band comes up with some great songs (Classico, Pick of Destiny, Master Exploder etc). All this with the Humor of Teancous D makes this the best movie ever.

The Cameos are great right of the back, with Meat Loaf and Dio singing to JB. Ben Stiller and Tim Robbins are great, I really like Tim Robbins character. You also find out who Satan really is! The Music and Musical references are hilarious and Awesome. Playin songs great songs from The Who, Dio, and others just complete it. i personally didn't think the band could top the awesome songs of the D, but they did with songs like Classico and Master Exploder. Seriously awesome music.

Just go see it, its a must for anyone who loves rock! positive positive +This was such a funny movie, which was soon forgotten about, probably because there are so many teen and young adult comedies, such as this. The movie is not quit as predictable as one would think. Crawl is an unattractive, but fun and caring and most importantly a very devoted friend. Still, an unlikely match for Rebecca, who has an attractive and seemingly kind boyfriend back home. When he helps feel more at ease at school, by showing her around the neighborhood and encouraging her to socialize more, they become buddies, but it is completely platonic. When she realizes her boyfriend might propose, she does not feel ready, he seems to like her boyfriend, but she seems to be enjoying her free laid back party life at college is not yet ready to live a life of marriage and responsibility. You kind of learn what a good friend Crawl is when he tells her he will help get her out of getting married. When her boyfriend proposes to her, in front of the whole family, she kicks Crawl and puts him on the spot. He tells the whole family that he proposes to her, and gives her his diamond ring, which it tunrs out was his the whole time (he must have come from money or something. Well they never really show a close up of the ring). The message of the movie seemed to be not to judge people by their looks and not to judge people before you get to know him. Rebecca's boyfriend, who her parents love, turned mean when we find out he druged his new girlfriend after Rebecca,(Amber Thesan) and Crawl, so that Rebecca would have broken up with Crawl, thinking they were a couple. Although they were not, Rebecca was mad at him, which when you think about it, was kind of unfair, since they were not a couple, but I think they were starting to like one another. And I think she thought there was more. The movie never showed them actually become a couple, they left it open for the viewers to decide. They never even actually kissed at any point, although there was one part where they almost did. That was one thing most viewers seemed to misunderstand. Many people saw it and said, that he would be a nightmare for fathers to see their daughters bring home or a shock, but they were just friends the whole time, even towards the end. And she did not introduce him as her boyfriend; still they never told her parents they were not engaged. Rebecca almost did. Even if he would never become her boyfriend, they could have still been friends. In the 90s for some reason femanin men were in, and there was this big stereo type that woman liked femanin men (not that there is anything wrong with that), think it came from the fact that women like the kind sensitive type, which Crawl proved to be, through his friendship with Rebecca. but when I saw the movie, I must admit, if I went for looks, I thought I would have gone for the first boyfriend. Still it was a creative movie, that tried to teach a lesson on friendship and judging others. positive positive +And this somebody is me. And not only me, as I can see here at IMDb or when leaving the theater. Why did the people love it? It's obvious: Everybody knows zombies by now (at least the Horror fans by heart and the others through the 'Dawn of the Dead' reinvention or Resident Evil movies etc.)

Or at least they thought they knew everything about zombies ... that is until this movie came along. And you'll see zombies in a new light (perhaps). This is not a horror movie, although it does contain some violent scenes, but is rather a comedy. A satire to be precise. And it never runs out of steam! That is why I rated it so high. Pacing wise it's incredible, the acting is great and the script has no (obvious) mistakes ... quite the contrary: It's a gem and if you're only a little bit interested in zombies you ought to see it! And even if you dislike them, watch it! Because it's a great (comedy) movie! positive positive +I saw the film for the first time at BBC on July the 27 of 2005. For me it was a good interpretation of the person Conan Doyle,and I truly wonder what the sherlock fans think about it. I also think it is a movie for these fans whether they agree or not what is mentioned.You may ask yourself was A.C. Doyle a strong person or did he put himself in question. However he was the creator of the famous Holmes,but how much of it was a sort of semi-biography? Not the less I strongly put this adaption forward, it is a movie you have to see - even if you aren't interested in the Sherlock Holmes movies or books - look a it , enjoy yourself and have your own opinion of it. positive positive +(Contains spoilers)

Russia in the 13th century. The opening shot shows the relics of the last invasion: moldering uniforms, human skulls and a horse's skeleton. Prince Alexander Nevsky (Nikolai Cherkasov) chased the swedish army away and impressed the mongol ruler to such a degree that he proposes to promote him to the rank of captain. But Nevsky replies: 'Die in your homeland but don't leave it'. He intents to fish, build ships and trade. But he warns of a more dangerous enemy: Nearer, meaner and no possibility to buy oneself out: Germany. Their objective is Novgorod. They have already reached Pskov: Mothers and daughters suffer for their fathers and sons. The marauding occupation forces distribute the looty. Rich merchants want to purchase their liberty (always a place for some anti-capitalist p. r.), but the 'common people' are ready to fight. They want Alexander as their leader. Pskov is burned to the ground. The teutonic knights feel invincible and have just a smug smile for the russian women who witness helplessly how their fathers and sons are butchered. Babies are thrown in the fire while high dignitaries of the church look on and remain idle. In Novgorod: Olga Danilovna has two admirers: rich and staid Gavrilo and tall and jolly Vasili. She promises to marry the most valiant. Vasili calls on Alexander Nevsky in Perejaslav. The prince decides not to wait for the attack but to strike at once. Even women put on a chain armor...The invaders want to bait the 'russian bear', but Nevsky's stratagem stands the test: Lake Peipus is his war zone : His men know the territory but the germans, who are heavier, will break through the ice...

Open your eyes and watch the most impressive battle scenes ever filmed. It's not just the multitude of extras (Who were, I think, pressed in this patriotic exercise), but Eisenstein's masterful management of such a large number of individuals: he displaces divisions like pieces on a chess board and nearly every shot resembles the composition of a painting by Rembrandt or Rubens (Including horses in phantastic outfits). Russia in winter looks intimidating in itself, but Eisenstein's visual imagination is hors concours. Heaps of corpses are plunged in cosmic light under an endless horizon. At nightfall, Olga and other women search with torches for survivors. A devoted falcon sits on his master's dead body while a crow waits for the right moment to pick out the eyes of the deceased. Eisenstein's direction and Prokofiev's score make ALEXANDER NEVSKY the 'Rolls Royce' among propaganda films. Nevsky is, of course Stalin's alter ego, and the russians are tall, good-looking, heroic, and they have a perfect hairdo. The germans are bearded savages and look like members of the Ku-Klux-Klan. The actor who plays Vasili gives a one-man-four-characters performance: first wavering, then heroic, youthful lover and comic relief. Cherkasov's main duty is to look heroic. At the end, Nevsky-Stalin displays his generosity: He pardons the 'little soldiers' and barters the knights for soap. Only a bearded killer and a traitorous cleric are turned over to the mob. He does not forget a final warning: Who comes with the sword will die by the sword...He kept his promise. 10/10 positive positive +Legend of Dragoon is one of those little-known games that people either love or hate. Some people claim it's far too similar to other games, namely the Final Fantasy series--which is understandable, since it was originally intended to be Sony's equivalent of Final Fantasy. Honestly I can't comment on the similarities beyond that, as I'm not very familiar with the FF games.

I think my favorite aspect of the game is the battle system. Not only do you have the ability to change into a more powerful dragoon form, but every time you attack, you have to pay attention in order to complete the attack by pressing buttons at the correct time. Not only that, sometimes enemies will attack you back right in the middle of a sequence, which means you have to press different buttons in order to avoid taking damage. Even the use of certain attack items requires a bit of button-mashing. If you don't want to attack, you can always guard, which not only cuts any damage taken in half, but raises your hit points without the use of healing potions.

The FMVs are quite well-done, about the same quality as Final Fantasy 8's. However, the graphics during game play aren't quite up to that standard. They're nice, but they could have been--and honestly, should have been--better. The translation as well leaves something to be desired. Not only does it raise interesting character relationship questions, but there are also some grammatical mistakes that simply shouldn't have been allowed to pass.

Another thing I found interesting was that you lose main party characters--one dies, and the other basically becomes useless to the party and leaves. While the death of the one character is often said to have no point, it makes you realize early on that the characters, while heroes, are still just as mortal as the next person. The people who replace the lost characters simply gain all their stats, so the transition game play-wise is fairly smooth. Perhaps my one complaint about the characters is the main character's love interest, Shana. She is the epitome of the helpless female in need of rescuing, pathetic to the point of driving a player to screaming with frustration. While you can use her in your party, she is insanely weak--I don't even know what her dragoon powers are like, as I disliked her so much I never used her. The character Rose, by contrast, is probably my favorite female character in any game ever. She's no wimp, and some of her dragoon magic is extremely useful. Meru is quite strong as well, while sometimes being an annoying talkative brat.

The character designers were, as most are, inclined to make the female characters appear pretty or whatever, and didn't give much thought to the actual usefulness of the outfits. Seriously, no armor and having most of your skin exposed is not helpful when fighting monsters. But I will give them props, as they do have females serving as knights in the various countries.

I can't comment much on the plot, as honestly I didn't pay much attention to it beyond where I needed to go to next. I'm not sure if this says something about the plot itself, or my gaming style.

All in all, it's a very enjoyable game. It has its flaws, but for me it struck just the right balance of having to think and just pressing buttons and killing monsters. positive positive +I have just started watching this show. Its airing in Ireland at the moment on the Irish television station RTE1 at 12.30pm in the Afternoon (as of 26th July 2006).

This program literally makes me laugh out aloud and I cannot boast that on most sitcom's (apart from UK's 'The Office' with Ricky Gervais in it).

Todays episode of TKoQ (26 July 2006)was the one where Carrie starts a new job and invites her friends home and goes off to make some coffee and Doug wants Carrie to have no 'outside' friends so he lifts up his top and shows off his 'belly hair!' and licks plates when he goes out to dinner! But another funny episode was the other week when the old fella (carries Dad) won on the Bingo and that episode creased me up with laughter especially when they went out and got a replacement fridge and Carries father stood there looking at it and thought it was new.

So I don't know how much longer this has got to run on Irish TV or at which stage (year recorded) we are at but I hope it don't end soon because I am really enjoying it.

To sum up there is some great writing, some great characters and comedy acting (namely by Carrie, Doug and Carries father) some great punchlines and delivered well - a bit saucy and near the mark sometimes (send the kids out the room!) but i think this US Sitcom is a winner and very funny. positive positive +You're using the IMDb.

You've given some hefty votes to some of your favourite films.

It's something you enjoy doing.

And it's all because of this. Fifty seconds. One world ends, another begins.

How can it not be given a ten? I wonder at those who give this a seven or an eight... exactly how could THE FIRST FILM EVER MADE be better? For the record, the long, still opening shot is great showmanship, a superb innovation, perfectly suited to the situation. And the dog on the bike is a lovely touch. All this within fifty seconds.

The word genius is often overused.

THIS is genius. positive positive +Wow what can I say it was a good movie, very different to all the boring remakes we see lately the only thing I would have liked to see a bit more of an ending like when Jane left her husband Im guessing she was going to Serena cause she fell for her,not just her but everything that she is,I so wish Producers would actually show that sort of ending instead of leaving to it your imagination sort of ending I really hate it when they do that. The aerial acts looked like fun but I guess you'd have to be light and muscly, I would like to see more movies like this one, maybe the could do a sort of sequel of Jane and Serena.If I were in Jane's shoes I would have went for the girl too she was attractive. positive positive +I would probably not have bothered to comment on this film if I had not been disturbed by the constant references made to it here in North America as a porn film. Our obsession with what is, or should be, regarded as pornographic remains a relic of the 'guidance' provided to film makers by the Hayes committee many, many years ago and it is now really time that we relegate it to the past. So far we have not progressed far beyond establishing a somewhat arbitrary division between what we now term 'soft' and 'hard' porn, with both carrying the same pornography label. It is time for us all recognise that neither the R rated (soft porn?) release version of this film, nor the unrated version (hard porn?) available on DVD were in any way pornographic.

In legal terms pornography is defined by its capacity to deprave or corrupt. Many classic books such as Lady Chatterley's lover, Fanny Hill, Women in Love, The Story of 'O' or Moll Flanders have been prosecuted for pornographic content, tried by jury and cleared on the basis of this definition, but in practice most ordinary citizens are not interested in what they regard as legal equivocation, and apply a simpler test that is rather too stringent when applied to books or films which are very close to the line, but serves to quickly clear most others from any taint of pornography. Although the Hayes code would have rated AIW as unacceptable both for nudity and for its depictions of sexual activities, in practice most people today accept that where the basic message of a book or film is clearly designed to encourage the development of long term stable family relationships in which the participants find real fulfillment, it cannot be regarded as pornographic (this does not mean that works depicting unsatisfactory or unstable relationships should be recognised as pornographic, only that these may need a more sophisticated assessment). In AIW, we have a film about a young female librarian who has had a rather sheltered upbringing, and keeps her suitor at arms length because of a feeling that this is what morality requires her to do. After he gets too frustrated by this and threatens to leave her, she falls asleep and dreams she is transported to a Wonderland (closely based on that of Lewis Carrol) where everyone she meets is totally uninhibited about their sexual needs. She is shocked, but is a kind person who takes things as she finds them, so before long she finds her own prejudices gradually melting away. She wakes up when her boyfriend returns to break off their affair, but her attitude to him has changed so completely that their relationship is fully restored, and the film ends with them living 'happily ever after' with their children in a home with a white picket fence and a family dog - an ending clearly directed to those romantics who remain very young at heart.

Pornographic? - Hardly!.

Suitable viewing for children? - Well probably not quite, unless they have very progressive parents.

R rating? - PG would be more appropriate today.

Entertaining for viewers in most age groups ? - Yes, but the film has its faults - these are discussed in many of the comments here on IMDb, however most commentators clearly appreciated and enjoyed it.

I believe the only pornography associated with this film was the reported claim by an anti-pornography activist of 'scientific proof' that a magazine picture of Kristin deBell was a photographic montage of images of the face of a ten year old with various body parts of adult models. These and other comments seriously damaged the career of a very promising young actress, but today the film appears to be on its way to becoming a cult classic, Several home video productions have been released in both VHS and DVD format; the last was a DVD containing both the R rated and unrated versions of the film, released by Subversive Cinema in 2007. Copies of this were readily available until a few months ago, now they are almost exhausted and the mail order vendors who still have copies in stock are selling them at many times their original price - a situation which usually quickly results in a new DVD release appearing. This continuing interest nearly 35 years after the original film was released points to near classic status.

Commentators on this database are expected to provide fellow viewers with useful guidance on whether a film is worth watching or even collecting - my comments here were intended to stress the ongoing damage to the industry that still results from pressure on major studios to respect self-censorship recommendations originating with the Hayes Committee. On this database such general comments are very quickly marked by readers as 'not helpful' and I seldom make them; but fortunately I still have space to add that in my opinion this film is quite unusual and is well worth watching or even buying. It is flawed, but Kristine deBell gives a great performance and the film provides a fairly unique and rewarding viewing experience. Overall I would rate it at 7 stars and will be buying a copy of the next DVD edition if and when it appears. If Ms deBell is still alive today I would love to hear her comments both on the attempts to suppress this film and on the late recognition that it has gradually achieved. positive positive +When I first started watching this anime I never thought that something about making bread could actually be interesting, but thankfully I was mistaken. From the moment I started watching it, anime just pulled into the world of bread making, I was hooked.

The biggest advantage of this anime is it's humor, which is very intelligent and very funny, with some recurring gags. But the animation, soundtrack and character development are below average, while these disadvantages aren't seen so much in the first episodes, because of the great job on this anime, it really starts to show in the last 20 episodes, when the reactions and recurring gags just grow old, and aren't as funny as before.

As far as I'm concerned, if this anime had ended with episode 52 I would have given it a 9, but the last episodes just leave a bitter aftertaste, which sadly can't be washed away by the awesome 50 episodes.

7/10 positive positive +The King of Masks is a beautifully told story that pits the familial gender preference towards males against human preference for love and companionship. Set in 1930s China during a time of floods, we meet Wang, an elderly street performer whose talents are magical and capture the awe of all who witness him. When a famous operatic performer sees and then befriends Wang, he invites Wang to join their troupe. However, we learn that Wang's family tradition allows him only to pass his secrets to a son. Learning that Wang is childless, Wang is encouraged to find an heir before the magic is lost forever. Taking the advice to heart, Wang purchases an 8 year old to fulfill his legacy; he would teach his new son, Doggie, the ancient art of silk masks. Soon, Wang discovers a fact about Doggie that threatens the rare and dying art.

Together, Wang and Doggie create a bond and experience the range of emotions that invariably accompany it. The story is absorbing. The setting is serene and the costuming simple. Summarily, it is an International Award winning art film which can't help but to move and inspire. positive positive +Spoilers !!! To understand what really happened first you have to be a warrior, to stay alive in real war, to think off-line,analytically,critically and not linear. Otherwise you will come to false conclusions that Maj.Gray was dumb or unstable person. Truth is something completely different. He was firm hardened veteran and only way he could be killed by Capt. O'Malley is that he wants her to kill him. It was his way out. He choose it. He was not man who will retire. If you've never been on a first line you can't understand it. He intentionally prepare his own suicide. First he seduced Mary Jane, than intentionally acted as a dumb, than stageed argue - shutting incident before witnesses (to protect her later after she done what he wants her to do if it comes to trial), than gave her son a bullets (to assure he could load her gun later), came that night, loaded her gun, woke her up, put her gun in her hands, acted as he was attacking her, after shot first time he raised knife and cried 'One kill' so she shot him again and before died he put knife off like he was trying to took him back again after first shot. He also gave her a message with his last cry. 'After first kill everything will change inside your mind and destroy your life, this is the the only way for me to die as a man, yet to be killed by somebody I love is my choice and my only prerogative, war and army is not what you thought so far, grow up finally and save your life till you can'. She left military life at the end. She did understand him. And he did not die in vain. The man who helped him to prepare all that and after to carry out the trial and the outcome of that trial was Col. Sam Doran with help of Lt. Tim Macy. Macy didn't know what is really going on and what will be the outcome but did what he was expected to do. He took photos of Mary Jane and Maj.Gray by order of Col. Sam Doran who gave that order because Maj.Gray asked him to do that. After she refused to leave army (what Col.Doran asked her to do) Col. Doran convinced prosecutor to charge her with a premeditated murder (he knew she cant be found quilty) instead of manslaughter (there was some possibility to be found quilty) with taken photos. Col.Doran also suppress argue-shutting incident to escalate to prevent prosecutor to have any doubt about premeditated murder charge but let it be revealed during the trial what greatly influenced the jury. I have no doubt about outcome of that trial. Why Col. Doran did that way? Because he will do anything Maj.Gray ask him to do. Why? Because he saved his life on a battlefield. Why Mary Jane choose to go to trial? Because she was a person who have integrity, a principles. And that is why Maj.Gray choose her. It has to be somebody deserving, somebody honourable. Keeping his secret about what really happened that night she also prove her honour.

Miroslav positive positive +8 points for take on probably what really kinda maybe more what it was like back then. American Indians probably stole more than killed. Who really knows? Nice slower odd pursuit means it has a pace and... interesting and unique. Thankfully not another mindless shoot em up. I thought this would suck at first, I wound up getting wrapped up... nice treasure... good job! I have hopes nobody dissects this film. When the entire movie unfolds you have many unique twists, impossible to determine what will be next. The characters are human and have either honor or not... passion or not... forgiveness or not. Wound up loving the White Horse, the Indian, Sheen even the damned desert. All good. positive positive +Holy Schnikey! This Movie rocks! The duo of Chris Farley and David Spade are great together. My Favorite parts are 'Fat Guy in a little coat, Oh my gosh, Room service and more scenes that will be remembered for years to come. This movie has a huge cult following, I wonder why, which proves that even eleven years after Chris Farley's tragic death and he still is popular. He plays Tommy which will make you laugh every time you still watch it. He is a great comedian and is missed. Mr. spade reminds me of Dan Akyroid while Chris Farley reminds me of John Belushi. They done more than 2 movies together. This Movie is a must buy and should be in every Snl fan's collection. positive positive +SPOILERS 9/11 is a very good and VERY realistic documentary about the attacks on the WTC.2 French film makers who are in New York to film the actions of a NYFD are being confronted with this event and make the most of it.Before 9/11 nothing much really happens which gives the movie an even more horror like scenario. On the day of the attacks it seems like just another dull day at work but this will soon change.As one the film makers goes on the road with the firemen he films the first crashing plane,this is the only footage of the first impact.He rides with the firemen to the WTC and goes inside the building.As the second plane crashes the people understand that this is not an accident.In the next period of time we see firemen making plans to save as many people as possible,in the meanwhile we hear banging sounds,these are the sounds of people who jumped down from the tower and falling on the ground,this is the most grueling moment in the documentary.Then the tower collapses and our French friend has to run for his life,you hear him breath like a madman while he runs out of the building.Then a huge sort of sandstorm blasts over him and the screen turns black,he was very lucky to survive and now he can film the empty streets of Downtown New York. Because this documentary has got so much historical footage and because the film was ment to be something totally different this documentary will probably stay in everybody's memory.I saw the attacks live at home because I had the afternoon of,so this makes it even more realistic to watch. 10/10 positive positive +'Idiocracy' is the latest film to come from Mike 'Office Space' Judge, and it certainly follows a similar theme of that film in the fact that it is an observation of stupidity and how mediocrity can overcome adversity... relatively speaking. It is a story about Joe Bauer (Luke Wilson), who is, quite literally, the most average guy in existence. Joe, and a prostitute named Rita (Maya Rudolph), become the test subjects for a military project of a hibernation chamber. They were to remain suspended for only one year, but due to lack of oversight, Joe and Rita are forgotten about and accidentally wake up 500 years in the future.

Here's the scary part: This film explains, in a very realistic and plausible way, how the entire population of 2505 became absolutely retarded. With no natural predators, the evolution of the human species does not necessarily favor the quickest, smartest, and strongest people for progression of genes... just the people who breed the most. Unfortunately, those people happen to be welfare-sucking, trailer trash idiots who breed like rabbits. This abundant reproduction of the stupid people has caused an adverse effect on societal growth and now Joe and Rita are the two smartest human beings on the face of the planet. If it helps, imagine the entire population as just a hybrid of rednecks, jocks, cholos and hoochies. Seeing this nightmarish dystopia, Joe learns of and attempts to track down a time machine to see if he and Rita can get back to when they came from, and that's basically the whole plot.

But despite how one-dimensional I may make it sound, this movie is higher brow than you can fathom. Nuances are everywhere and anyone can see glimpses (warning signs, if you will) of modern day dumb-ciety permeating facets of everyday life and turning it into the train wreck on display in 'Idiocracy.' The film has some truly awesome showcases of realistic retardedness put on a pedestal. I don't want to give anything away and ruin jokes for you, but let's just say that it is pretty thorough. I can see how some would say that it is just a lot of toilet humor, but it, odd as it may seem, has a purpose; to show how dumb and crass these people are.

This film, unfortunately, is destined to see the same fate as its predecessor, 'Office Space'; no one will see it in theaters, but everyone will brag about discovering this awesome/funny movie when it comes out on video. My only complaint for the film would be that the flow of the narrative sometimes gets broken so they can do a Hitchhiker's-Guide-to-the-Galaxy type exposition on how things got to be where they are, but it is a necessary evil and is implemented better here. Other than that, good characters, funny jokes, and better-than-average social commentary wrapped up in a funny bow.

Final Note: If seeing our youth becoming gang-banger wanna-be's, acting like redneck/ ghetto trash and being proud of it... if you are educated and cultured in anyway and can see how our country is spiraling out of control into an abyss of stupidity, for god sakes, watch this movie. positive positive +A wonderful film by Powell and Pressburger, whose work I now want to explore more. The film is about what we perceive as real and what is real, and how the two can be so difficult to distinguish from one another. Beautifully shot and acted, although David Niven doesn't seem to be 27 years old, as his character claims to be. Fun to see a very young Richard Attenborough. This film made me think, while I was watching it, and afterwards. positive positive +This is easily one of the best movies of the 1950s. Otto Preminger directed only four or five really good movies and this is one of them. Frank Sinatra gives his best performance and the music score by Elmer Bernstein is dynamite. From the opening titles (by Saul Bass) to the hysteria of drug addict Frank going cold turkey, this is a riveting movie! With Kim Novak (giving a very good performance), Eleanor Parker (giving a very bad performance) as well as Darren McGavin as the reptilian pusher and Arnold Stang as Frank's grifter pal. Beware of bad prints: this movie is in the public domain so some copies are pretty rough. positive positive +I'm a male, not given to women's movies, but this is really a well done special story. I have no personal love for Jane Fonda as a person but she does one Hell of a fine job, while DeNiro is his usual superb self. Everything is so well done: acting, directing, visuals, settings, photography, casting. If you can enjoy a story of real people and real love - this is a winner. positive positive +From very long, we are seeing movies on Gandhi. And mostly, the light is always on portrayal of Gandhi as freedom fighter or man with principles. But when I heard that a movie is being made which will highlight Gandhi as Father and stress on his relationship with his Son, it instantly hit my attention as this is one territory which is least being explored as it has his own dark side and less people shown courage to dwell into it. Fortunetly, Anil Kapoor (Producer) and Feroz Abbad Khan (Director) did.

The story start with Gandhi working in South Africa and his relationship with white people and his wife. Latter Akshay (Harilal) joined his father for becoming a barrister but his dream took overturn when his father (Gandhi) pushed (Or motivate) him to become freedom fighter. It showcase that Gandhi believes more on practical study rather then formal education. Harilal too try to walk on his father footstep but soon failed as its infatuation towards his wife, children and his own dream of becoming big success altered his path and then start the repulsion between son and father. He finally defeated his father in terms of pursuing his dream and to left him on his own terms. He written back to India but then start his unsuccessful stories which become bigger and bigger with time. I am leaving reader to see movie to catch further story...

Performance. First Akshay. He has given best performance of his tenure so far and is absolutely convincing in his portrayal as Harilal Gandhi. The scene in which he reach the room where his wife dead body is placed is one where you can see a fine actor which is hidden/developing in Akshay. Darshan jariwala is also good as MK Gandhi and able to live up such a larger then life character. He performed well and with quite an ease. Shefali Chaya (Now Shah) as Kasturba is brilliant actress and already proved her metal in TV serials. Bhumika chawla too performed well but actress of her candidature is waste in these kinds of role. Other actor have also justifies their performances.

Technique and Make up is also good and cinematography especially that Duo tone color picturisation was too good. Costume looks and match with context.

Overall, a worth seeing movie which is defiantly slow in progress and impatient people may find it boring but give you an insight of area which is not brought to silver screen till date. Also, the way story progress and connection of scene may look worn to some people and to critics especially but for an average movie watcher like me, it still enough to make me occupied on my seat till end. positive positive +It helps immensely if one is familiar with the culture and time period in which this film takes place. First of all, these ladies are NOT geisha, they are oiran (prostitutes)in the Yoshiwara-type 'green houses', circa 1860, give or take.. This should help clear up some details which may be confusing to the unaware. The film deals with issues of loyalty, love and, perhaps most importantly, how people deal with adversity, both their own and that of others in their immediate environment. That plus the outrageous photography together with the hauntingly beautiful music, make for a lovely ride. Just plug it in, suspend your disbelief and enter their world. You won't be disappointed. positive positive +Although not the most technically advanced film I have seen, this was a fun and enjoyable couple of hours. The main characters are sweet and you really get to like them, and feel something when Susie Q. has to go, but feel good again when she returns as Maggie.

Lots of stock dialogue, and a contrived plot-line, but most of all, LOTS OF FUN. positive positive +No, no, no, no, no, no, NO! This is not a film, this is an excuse to show people dancing. This is just not good. Even the dancing is slow and not half as entertaining as the mediocre 'Dirty Dancing', let alone any other good dance movie.

Is it a love story? Is it a musical? Is it a drama? Is it a comedy? It's not that this movie is a bit of all, it's that this movie fails at everything it attempts to be. The film turns out to be even more meaningless as the film progresses.

Acting is terrible from all sides, the screenplay is definitely trying to tell us something about relationship but fails miserably.

WATCH FOR THE MOMENT - When Patrick Stewart enters the scene and you think the film might get better as he brightens up the dull atmosphere. For a second. negative negative +I would give this a zero if they had that rating. Fun was no fun at all. I grew tired of the movie about ten minutes into but endured to the end thinking it had to get better - it did not. The others I watched this movie with also agreed. The acting was annoying. I am tired of Jim Carey's over the top ham acting. The supporting cast was no better. While this movie was a statement of corporate greed and the plight of the worker who gets stepped on when a large company goes under, the vehicle for this would have been better served another way. I actually disliked the leading characters (Dick and Jane) so much that their antics were never funny but pathetic. I am trying to recall one scene where I or anyone I was with laughed and cannot. A worthless movie and a total waste of time. negative negative +Mexican 'classic' was the third entry in the Aztec Mummy series. As you will soon find out, this movie is anything but a classic, instead, it's more like a movie that deliberately tries to bore you.

Some scientist wants to steal Aztec treasure from a tomb, but guarding that tomb is that walking toilet paper commercial: The Aztec Mummy. Knowing he can't beat the Mummy, he then builds a robot, and a very bad one at that. We only get to see Mr.Robot in the last reel, as he clunks around, and does battle with the Aztec Mummy.

I have seen a lot of lousy Sci-Fi films, hell most Sci-Fi films I see are lousy, but this one, for it's entire duration of 64 Minuites, is the worst movie I've seen, with Fubar coming in a close second....

In conclusion: Don't waste your time. negative negative +You know how sometimes you can watch a crappy movie with friends and laugh at all the shortcomings of the movie? Well this was beyond that. I bought the DVD at Tower Records because it was like $3.00 and I'd heard this was a movie you could laugh at. It is really nothing short of pathetic. About 30 minutes into the movie, my friends started asking me to turn it off. Around 45 minutes they begged me. After an hour, we compromised to fast forward to the end, so we could see how the conflict was resolved (and because we had been watching the whole time for Matt Walsh). Seriously, don't watch this movie. It is beyond painful. negative negative +Strangers with candy overacts in all the wrong context, the situations are just not funny with the cheesy voices and bad low brow comedy timing, the clear attempt at dry/black/dark humour is obvious and it fails to deliver on all elements of a good joke.

With a high cringe factor and low laugh ratio I was shocked this show went pass the first season, I personally like Scrubs, The Office, 30 Rock, Trailer Park Boys, Pulling, Peep Show, Simpsons, Family Guy and I know what your thinking, these shows aren't weird at all, so some other good shows I've seen are Jam, Garth Marenghi's Darkplace, The Book Group, Asylum and Snuff Box which are original with dry/black/dark humour/satire and are all at least 5/10.

Garth Marenghi's Darkplace especially is cheap looking, overacted and weird, however the context is thought out and works to make it really out there and entertaining too. negative negative +Please don't waste your money on this sorry excuse for a motion picture. The only way I could see someone watching this is if they are a die-hard fan of Erika Elaniak, but you would be better off surfing the internet than to watch this piece of crap. I would rather watch paint dry than go through watching this.

They lure you in with Casper and Erika and lead you to believe it is a sci-fi Dracula movie, but it quickly works out to be a farce about Van Helsing's great-great (you get the point) grandson, here ironically for one last show-down between himself and Dracula.

The movie also tries to make a political statement, I believe, when it appears that none of the characters in the future know who God is, that they have not been taught about him and don't understand when they see a cross. Could have done a lot more with this idea. It's a shame it turned out the way it did. negative negative +Here's example number 87,358 of Hollywood's anti-Biblical bias, so typical of them.

Early on, Ray Liotta's wife has did and women are being interviewed for the position of housekeeper. The first interviewee is an old-fashioned-looking (dress, mannerisms, speech) who immediately lays down here strict rules, stating that 'there will be two hours of Bible study ever day.'

This is said, of course, to make it sound like reading the Bible is the worse punishment you could ever inflict on someone, especially a kid. Once again, the Bible is equated with stuffy, mean-spirited people. That woman, of course, is dismissed immediately.

Naturally, the liberal black woman (Whoopi Goldberg - who else?) is the one who is hired and, voilà, saves the day!

Yawn. negative negative +This is a film that makes you say 2 things... 1) I can do much better than this( acting,writing and directing) 2) this is so bad I must leave a review and warn others...

Looks as if it was shot with my flip video. I have too believe my friend who told me to watch this has a vendetta against me. I have noticed that there are some positive posts for this home video; Must have been left by crew members or people with something to do with this film. One of the worst 3 movies I have ever seen. hopefully the writers and director leave the business. not even talented enough to do commercials!!!!! negative negative +'Visitor Q' is a failed attempt at black comedy which focuses on what might be the world's most dysfunctional family including physical abuse from beatings to murder to incest to sodomy to necrophilia to a lactating mom who nurses her husband and adult daughter, etc. The film is so outrageous it garnered some critical praise and established a small cult following. However, with home video quality and a slapdash production, 'Visitor Q' just doesn't hold up even as a curiosity. Genitals are blurred out and sanitary appliances clearly visible, make-up is awful, and everything else is amateurish at best. A waste of time. (C-) negative negative +210 minute version (extremely hardcore, or so I hear) or the R-rated version released into theaters? Both are terribly awful, of course. Peter O'Toole and Malcolm McDowell have both claimed they wish they had never made this film (the latter of the two men reported this in an IMDb interview!), and I can see why. Nothing but a nonsensical mess of softcore porn and a half-hearted attempt at a plot.

Not much of anything here, other than cheap tricks and stupid scenes. I liked what McDowell himself said about the film: 'It was like one moment I'd be staring, admiring my mule or something, and the next scene would be two lesbians going at it.'

How true.

What an awful movie.

1/5 stars. negative negative +This is an Emperor's New Clothes situation. Someone needs to say 'That's not a funny and original, (etc., etc.) film; that is an inferior film. Don't waste your money on it.' The film is trashy, and the people in it are embarrassingly inferior trailer trash. They are all-too-realistically only themselves. They have no lines, they don't act. The American Dream is not to create shoddy no-quality films or anything else shoddy and of no-quality; it is to achieve something of quality and, thereby, success. Only people who are desperate to praise any film not made in Hollywood (it can't have been made in Hollywood, can it?) would try to impute any kind of quality to this film. It's worse than 'Ed Woods,' another film about a film-maker without standards. These films shouldn't have been made, and you shouldn't go see 'American Movie.' negative negative +Leslie Nielsen hits rock bottom with this absolutely horrible comedy that is the worst mainstream film that I have ever seen. There is nothing to like about this film, as it is essentially a one-joke film, and the joke isn't all that funny. How many times are we supposed to laugh at an almost blind man making a fool out of himself? That's not funny, that's just pitiful. Nielsen seriously needs to start refusing some of these pathetic scripts, and Stanley Tong needs to stick to making Jackie Chan films, because it doesn't get much worse than this. negative negative +Only if you are crazy about Amber Smith should you see this. Besides her svelte body there is pretty much nothing in terms of cinematic value. She even has a lesbian scene in this one. My guess is she is trying to metamorphize into those late night scream queens ala Shannon Tweed and Julie Strain. negative negative +This will be brief. Let me first state that I'm agnostic and not exactly crazy about xtians, especially xtian fanatics. However, this documentary had a tone of the like of some teenager angry at his xtian mother for not letting him play video games. I just couldn't take it seriously. Mentioning how CharlesManson thought he was Christ to illustrate the point that xtianity can breed evil? i don't know it was just cheap and childish -- made the opposition look ignorant. Furthermore, the narrator just seemed snobby and pretentious. The delivery was complete overkill. I can't take this documentary seriously. Might appeal to an angry teenager piss3d off at his xtian mother for not letting him play video games. negative negative +Sniffing girl's panties kills a guy...and a stupid freaky puppet says a lot of stupid freaky things......My eyes could not leave the screen, my finger could not leave the Fast Forward button....I had to rewatch this spectacle to see if I had really experienced what I thought...I did.....God help us all! negative negative +The worst ever Korean movie! The plot is ridiculously complex, unbelievable, and the film creates not a single shock. It builds up suspense well enough then leaves you agitated providing no shock or jumpy moment. Whenever there is a chilling moment you are not bothered by it as you're still trying to work out who is who and what is going on! It goes something like this: a modeling company recruit 4 people for a modeling career. but the owners are not what they seem, they have model dolls of everyone and a strange girl is seen walking about the place and the owners have no recognition of a girl. It turns out that everyone is there for a reason and thats as much as i could grasp. The ending is a muddle of killings and you don't know who's a doll who's real and who's dead! i don't recommend it to fans of Korean/Asian horror films. negative negative +I rented this movie primarily because it had Meg Ryan in it, and I was disappointed to see that her role is really a mere supporting one. Not only is she not on screen much, but nothing her character does is essential to the plot. Her character could be written out of the story without changing it much. negative negative +Trying to catch a serial killer, did they ever think of tracking the license plate number of the black van or fingerprint the video tapes he sent? Oh brother the plot of this movie was so full of holes it was pathetic. Now I know why there are bad movies in the world. This one however was one of the worst. negative negative +They've shown i twice in a very short time now here in Sweden and I am so very tired of it. The bad acting isn't enough... The story itself is so boring and the effects hardly exists. I love the original from 1953 so I recommend you to go and rent that one instead. Because this one is such a bore. negative negative +This was one of the most mixed up films I have ever seen. Everything in the movie seemed to be attached to justify some other element that had been glued on. There is even a talking buffalo that wants his wet nose rubbed to make the magic happen. Even the brutal father seems to be stuck in just to give the kids an excuse to fly away in a wagon. It was laughable, but in an uncomfortable way because of the serious subjects that seemed to be used just to set up the plot. negative negative +I haven't for a long time seen such a horrible film. I hoped that at least Adam Sandler could be funny... hopeless. Seems, like some teenager have written it's script and he's daddy pushed this so far, that someone agreed to shoot it. (Movie)World could be better place without this, whatever it is. negative negative +Uuuuaaa! Barf! Yuk! Yuk! Disgusting! Puke City! Worst piece of junk ever made. Sick. Weird. Horrible. Enough said. Hold your nose. Don't eat. After seeing this sick, demented, garbage pail of a movie, you won't be able to eat your food for a week. But, maybe that's good. A new diet has been invented. Go to see this vomit inducing film. Get sick to your stomach. And you will be so turned off by the whole mess, that you can't eat for at least a week, and you drop about 15 pounds.

Me Me Lay! With a name like this, it's really amazing that she doesn't have a 'cult' fan following. She rates as the worst actress ever. Her films make Ed Woods look like Gone With The Wind. This movie rates a minus 10. negative negative +There's only one thing I need to say about this movie - the scene where Shaq is in a musical number with Francis Capra's character about wanting to be a genie; never see this movie. The story is horrible, the acting is terrible (c'mon, it's Shaq!) and I'd rather see Capra in Free Willy (equally horrible) twice before ever seeing this movie. negative negative +This is a terrible movie, don't waste your money on it. Don't even watch it for free. That's all I have to say. negative negative +Russians never dropped children's toys filled with explosives over Afghanistan, that never happened!!! Who did invention of that?? Hollywood portrays Russian army as horrible, dreadful troops of evil! That is disgusting!! United States President Jimmy Carter had accepted the view that 'Soviet aggression' could not be viewed as an isolated event of limited geographical importance but had to be contested as a potential threat to the Persian Gulf region. The uncertain scope of the final objective of Moscow in its sudden southward plunge made the American stake in an independent Pakistan all the more important. A great deal of damage was done to the civilian children population by land mines. negative negative +This is without a doubt the worst movie I have ever seen. It is not funny. It is not interesting and should not have been made. negative negative +Despite the solid performance of Penelope Ann Miller, this movie was an awkward mess. The lead character's American accent was ridiculous and he never seemed comfortable as a result. There was no chemistry between the two actors and I'm still not sure what Ann-Margaret was doing there. negative negative +**Possible Spoilers**

This straight-to-video mess combines a gun-toting heroine, grade-Z effects, nazis, a mummy and endless lesbian footage and it's still boring; the video's 45 minute running time only SEEMS like Eternity.The only good part is one of the blooper outtakes, wherein the bad guys force a 400-pound Egyptologist into a chair--and one villain's foot almost gets crushed under a chair leg. Take this snoozer back to the video store and watch televised golf, bowling or tennis instead. negative negative +You should know that I am the type of person that watches even the worst of movies to the finish, often out of sheer morbid curiosity. I even watched Leprechaun to the end before giving in to the temptation of tearing out my eyes and stamping on them. You should also know that this movie was in my VCR for less than half an hour before I made a frantic leap for the stop button and dashed back the rental store just to put as much distance between me and it as possible. negative negative +Martin Lawrence is not a funny man i Runteldat. He just has too much on his mind and he is too mad which trips his puns pretty early in the game. He tries to make fun of critics, which boils down to 'f*** them'. Then he goes on to rather primitive sexual jokes on smokers with throat cancer and it just goes downhill from there. 3/10 negative negative +Nothing Carson Daly has EVER said or done on this show has EVER made me laugh, or even smile a little. I DO NOT understand how this show has survived for so many years.

Even the 'funny' band member is just like one of those kids in high school who thinks nobody is good enough to even look at him. Daly and that dude are just arrogant frat boys. It seems like they don't even try to be a little funny.

AWFUL AWFUL AWFUL show.

It makes my soul cry.

I just cannot stress enough how AWFUL this show is. Don't watch it. But if you absolutely have to, I recommend clawing your eyes out and clogging your ears with cement beforehand. negative negative +This is one of those movies where I was rooting for whoever could end the movie the quickest. I wanted to see the cops kill Keaton AND Garcia just to get it over with. Basically, this is the deal--Two cops have to die and a third has to get horrible burns on his face for Garcia's son to get a bone marrow transplant from convicted killer Keaton. Is it worth it? No! negative negative +If you are planning to rent or buy this movie don't. It's the worst thing I have ever seen. I would comment on it more but It has been 10 years since I saw it and have blanked all of it from my mind. Save yourself some time money and well being and stay far far away. negative negative +Something does not work in this movie. There are absolutely no energies between the actors. In fact, their very acting seems frozen, sometimes amateur. Also, the script is not convincing and not reliable. negative negative +Yup, that's right folks, this is undoubtedly the worst show in the history of television. If you want to watch a sad, lonely and unfunny hack comedian attempt to entertain the masses with a half hour of pale and tired social ramblings that your mildly retarded cousin commented on at the Thanksgiving dinner table then this might be the show for you. This is billed as edgy comedy my friends but to be honest this makes Tim Allen look like Richard Pryor. Avoid at all costs. Unless you're a masochist. negative negative +The humor in Who's Your Daddy is such poor taste that I actually closed my eyes in certain scenes. Close ups of semen are not funny! Nobody thinks they are. People get nervous when they see something so gross and to hide their nervousness, they laugh. Watching Who's Your Daddy gave me a disgusting nervous feeling. negative negative +A bad bad movie... terrible plot, hinges on Bolo Yeung's charater, but he speaks maybe 20 words in the entire movie and only has one fight scene - still in great shape considering he was also in the kung fu classic 'Enter The Dragon' Interesting to see William Zabka ('Johnny' from The Karate Kid) in another martial-arts role. negative negative +Ho-hum. An inventor's(Horst Buchholz)deadly biological weapon is in danger of falling into the wrong hands. Unknowingly his son(Luke Perry)has been working on the antedote all along. Enter CIA agent Olivia d'Abo and the cat-and-mouse car chases and gunfire begins. Also in the cast are:Tom Conti, Hendrick Haese and an aging Roger Moore. Moore seems to haggardly move through this mess definitely not one of his better efforts. Perry fans will be accepting. d'Abo is wrong for the role, but nice to look at. negative negative +This meandering tale of mob revenge is simply not very interesting, even with Ed McMahon in a ripe role as the chief heavy. Jim Brown kicks ass effectively, Gloria Hendry proves again that she can bring life to even the poorest roles, and Brock Peters is decent as The Cop Who Plays By the Book. It's still dull and badly constructed, and even the print shown on cable is now emasculated of its original James Brown score. negative negative +I've read just about every major book about the Manhattan Project. Most people know what it was, but few people understand the depth and breadth of the project. Its scope was immeasurably massive -- rivaled in US history perhaps only by the space program of the 1960's.

There were -- literally -- MILLIONS of people involved from all walks of life at numerous sites (most clandestine) around the country, each involved in a specific and different aspect of the project that they couldn't talk about to the person sitting in the cubicle next to them, much less their family. The logistics are overwhelming, particularly given the considerations of wartime communication, security and transportation in the 1940's.

As an example -- my colleague's father was a carpenter who worked for one of the companies that had a contract with the federal government for the Manhattan Project. His job was to supervise a crew of about 30 other carpenters, who were responsible for manufacturing forms for the pouring of concrete for the massive research installations at Hanford, Washington. That's 'all' he did, six days a week for nearly two years. These carpenters needed food, housing, sanitary facilities, hospitals and materials just as much as did Oppenheimer and his crowd at the top of the pyramid. Just think about it! That being said, it's simply impossible to do the subject justice in a 2-hour movie. In defense of Joffe, however, I would say that they had an impossible task, particularly since he chose to have a diverse screenplay with multiple plots, multiple angles, and multiple characters. What, exactly, was he thinking, and how could he be so arrogant to think that this would work? That's Hollywood, I guess.

FAT MAN AND LITTLE BOY has so many flaws that it would take a book to list them all. Horrible casting. Dreadful (and politically-motivated) writing. Bad science. The portrayals of Groves and Oppie are particularly inaccurate and downright galling. Notwithstanding the screenplay's all-too-obvious agenda, it is STILL incredibly bland and sloppy.

These flaws have been listed elsewhere on IMDb, but I was particularly struck by the fact that the scientists had so much time on their hands -- softball, horseback riding, parties, semi-formal dinners, ballet, etc., not to mention romance, and of course circulating political petitions. According to FM&LB, if these great brains had gotten off their duffs and actually spent some time in the lab instead of seducing Laura Dern, we might have won the war before D-Day.

One final gripe -- FM&LB mentions that 'Fat Man' and 'Little Boy' were the code names of the two atomic bombs, but it doesn't mention that these names were a semi-good-natured jab at Groves ('Fat Man', for heavy stature) and Oppenheimer ('Little Boy,' for his slight stature). Another reason Paul Newman should not have been in this movie... negative negative +I actually saw the movie before I read the book. When I saw the movie I was upset because I wondered why Dean Koontz had made such a bad book/movie. The movie was confusing and didn't have a flow at all, it was choppy and made me want to throw a rock at the TV. I couldn't connect with the characters at all, so i didn't care about what happened to them(normally I love the characters because I can relate to their personality or problems). Then I read the book and loved it. I often re-read the book, and the movie is collecting dust. I wish someone would make a Koontz movie that follows the plot of his books, then the movies wouldn't suck so much. DO NOT WATCH THIS MOVIE UNLESS YOU NEED TO WASTE MONEY! negative negative +

I would highly recommend seeing this movie. After viewing it, you will be able to walk out of every other bad movie EVER saying 'at least it wasn't The Omega Code.'

Forget my money, I want my TIME back! negative negative +Early, heavy, war-time propaganda short urging people to be careful with their spending practices, in effort to prevent any runaway inflation.

Using scare, guilt and patriotic jingoistic rhetoric, which was normal for the time, the government was concern that the sudden war-time production and therefore wage increase and subsequent spending practices if not checked could cause serious problems during and after the war.

It truly is a window into the past, historically and culturally. negative negative +This has to be the most boring movie I ever sat through. It is dreary and drab, has no excitement, the acting by Hulce is terrible as Hulce cannot pull off the proper accent required for this film. The story is stupid and I sure wouldn't recommend this crap for anyone unless you want to die of boredom. negative negative +I was never so bored in my life. Hours of pretentious, self-obsessed heroin-addicted basket cases lounging around whining about their problems. It's like watching lizards molt. Even the sex scenes will induce a serious case of narcolepsy. If you have insomnia, rent this. negative negative +How can this movie be described? Oh yeah I've got it wretched!!!

I'm not big on chop socky, but this is just plain garbage. Anyone who would waste their money to pay to see it, is just too sad for words. negative negative +I've been trying to remember the name of this movie for years (not consecutively, of course). I saw it at the local dollar theater when I was 11, and it was so atrocious I almost walked out; I think I didn't realize one was allowed to leave before the movie ended. Anyway, it stuck in my mind as just about the worst movie I saw growing up. I can finally give it the rating it deserves.

1/10 (that was strangely satisfying) negative negative +All this show is, is the same plot. Kuszko (spelling?) is in danger of failing school, he needs to pass to become emperor. He needs to learn something, which he thinks is stupid, he then uses it/ learns more about it and realizes it's not so stupid. Eezma, posing as the principal, tries to transform Kuszko into some animal to stop him. Every episode.

Jokes from the movie are copied (Eezma's incredibly complicated plans, Kuszko breaking the 4th wall constantly, squirrels.) They should try hiring some writers.

2/10 negative negative +Pathetic attempt to use science to justify new age religion/philosophy. The two have nothing to do with each other and much of what is said about Quantum Physics in this mess is just plain wrong.

Examples? Quantum theory supports the ideas in eastern religions that reality is an illusion. How? Well, in the world of the subatomic, you can never definitely predict a particles location at a specific time. You can only give the odds of it being precisely at one spot at one time. Also, the act of observation seems to affect the event. Solid particles can pass through barriers. All of this, so far, is accurate. But then they assert that that means that if you believed sincerely enough that you could walk through a wall, you could indeed do it. This is complete poppycock. Instead, the theory asserts that at our level, it is possible for you to walk through a wall, but it is merely by chance and has nothing to do with belief. Also you'd have to keep walking into the wall for eternity to ever have even the remotest chance of passing through the wall, the odds are so astronomically against it.

This is but one example of how they misrepresent the science. But much more annoying is the narrative involving an unhappy photographer, played by Marlee Maitlan. About halfway through the picture it becomes so confused as to be incomprehensible. Something to do with negative thoughts leading to addiction and self-hate. There may be some truth to that, but Quantum physics has nothing to do with it.

Plus, string theory is the hot new thing in physics nowadays. Instead of wasting your time with this dreck, I suggest you rent The Elegant Universe, an amazing series done for NOVA on PBS that gives you a history of physics from Newton and gravity to Ed Witten and M Theory in only 3 hour-long episodes. Quantum mechanics is explained there quite well if you want to know it without the fog of metaphysical appropriation. negative negative +In reality that happened: the royal mother in law and father in law lunched with the couple the day after the wedding and gave her the money in public. This troubled young Elisabeth so much that she never forgot the issue. We must remember she was only 16. She was so embarrassed that she kept a fear for sex all her life. Perhaps this began to appear as a trauma. Also the constant meddling of her aunt and mother in law. As you say, she kept all her children away from her, critiqued her teeth and manners (which she considered inappropriate for an empress), and when Sissi finally went to Venice with her husband and children, her eldest daughter died, and the mother in law blamed her for that unfortunate and premature death. She never recovered. negative negative +Hardware Wars rips off EVERYTHING in Star Wars. But if you are planning on doing any parody, you need to do it just a bit better than this. Not that there is anything wrong, per se, with Hardware Wars, but if you spoof, do it well, or not at all. negative negative +Ice-T stars as Mason a homeless African-American who finds himself hunted by wealthy hunters (Rutger Hauer,Gary Busey,Charles S. Dutton, F.Murray Abraham,William McNamara and John C. McGinley) however Mason proves to be much harder prey then the usual targets in this ridiculous and slow paced actioner which takes too long setting up actionscenes and then totally botching them. negative negative +Really bad movie. Maybe the worst I've ever seen. Alien invasion, a la The Blob, without the acting. Meteorite turns beautiful woman into a host body for nasty tongue. Bad plot, bad fake tongue. Absurd comedy worth missing. Wash your hair or take out the trash. negative negative +I couldn't even sit through the whole thing! This movie was a piece of crap! I had more fun watching 'Dont' Tell Mom The Babysitter's Dead'! It was just too painful to watch. Say, besides 'Austin Powers', has Tom Arnold ever been in a hit movie? negative negative +Christopher Lambert is annoying and disappointing in his portrayal as GIDEON. This movie could have been a classic had Lambert performed as well as Tom Hanks in Forrest Gump, or Dustin Hoffman as Raymond Babbitt in RAIN MAN, or Sean Penn as Sam Dawson in I AM SAM.

Too bad because the story line is meaningful to us in life, the supporting performances by Charlton Heston, Carroll O'Connor, Shirley Jones, Mike Connors and Shelley Winters were excelent. 3 of 10. negative negative +Horrible Horrible movie, i still can't believe my friend talked me into seeing this! No plot, bad acting, unfunny scenes, and very very stupid dialogue. All i have to say is that this movie is the worst movie i have seen and it's worse than Halloween III which i gave 0 stars too. So i give it 0 stars and a 0 out of 10, well on here a 1, but you get the point. negative negative +Boring children's fantasy that gives Joan Plowright star billing but little to do. Sappy kids pursue their dreams. Frankie wants to be a ballerina and a baseball player (yuk) while best-friend Hazel runs for mayor---she's 13! Totally pedestrian in every way, plus the added disadvantage of syrupy performances by the girls as well as the baseball boys. Certainly a lesser effort for Showtime---no limits? negative negative +Boring, predictable, by-the-numbers horror outing at least has pretty good special effects and plenty of (mindless) mayhem and gore to satisfy (mindless) genre fans. Mostly it's about giant rats chomping on a set of characters we don't care an iota about - if that's your thing, tune in. (*1/2) negative negative +In The Lost Son, a private eye searching for a missing man stumbles upon a child prostitution ring. This film incorporates all of the worst stereotypes you could imagine in a worst-case scenario that exists only in the minds of Hollywood, the press and AG John Asscrap. If you get a chance to see this, you'd be better off getting lost yourself. negative negative +Remembering the dirty particulars of this insidiously vapid 'movie' is akin to digging into your chest cavity with a rusty, salted spoon. Perhaps 'Home Alone 2: Lost in New York' (1992) was a bit on the predictable side, but this pathetic excuse for a film is just one of the most shameless bids at commercialization I have ever heard of. A boy fighting off spies/terrorists when he's home alone in a Chicago suburb with the chickenpox? Ridiculous! Why did this film have to be made? I am the kind of person who believes even terrible movies are not wastes of time, but rather learning experiences. However, this is actually a waste of time. It should be avoided at all costs. negative negative +If you want to see a mystery, don't watch this. Though there are elements straight out of Elmore Leonard territory, this comes closer to an episode of 'Dynasty', since the filmmaker focuses on 'character development' - i.e. long, boring talks between stupid, un-involving characters. Some people can make fascinating movies without real action (see 'Exotica'), but not this one. Avoid it, especially if you like the actors involved in this one. negative negative +Some illegal so-called asylum seeker comes to Stuttgart and finds that Germans are 'racist.'

This is just another already-forgotten steaming nugget in a long list of post-WWII anti-German propaganda films, aimed to make Germans feel 'bad' for not welcoming each and every degenerate in their country so he can chase German blonds and sell drugs to German teenagers.

If you're looking for good German films in General, see 'Der Tunnel,' 'Der Untergang,' 'Europa Europa,' and 'Lola rennt.'

But not this.

Also, 'Das Experiment,' with the same male actor from 'Lola rennt.' negative negative +The only reason I rented the movie was to see Jeri Ryan in it! OMG that was the most boring, pointless movie I've ever seen!!! HOW LAME!!! I mean really, give me a break! After Voyager, I'd hope she'd be offered better roles!!

If I were one of the last people on earth, I would NOT still be living in a travel trailer in the dessert!! This is just such a bad movie!! The thing about the indian tribe and how he compared it every 10 seconds really, really got old. Poor Jeri, better luck next time! negative negative +This is, in simple terms, one of the worst films ever made. The story goes way beyond being tasteless and judging by the actors performance, they know it. There just in not one single redemming quality of this film. Patrick Swayze will have to overcome some major obstacles in his career, before people forget about this turkey. negative negative +This is one of the worst movies I have ever seen! I saw it at the Toronto film festival and totally regret wasting my time. Completely unwatchable with no redeeming qualities whatsoever.

Steer clear. negative negative +Rip off of 'Scream' or especially 'I know what you did last summer', there's some entertainment here, and a little scary, but they needed some originality.

An entertainment score? 6.5/10 Overall? 5.5/10 negative negative +This game was made by Sega. Being made by Sega I didn't expect much, but I also didn't expect this junk either. For starters the camera angles work against you in this game. The motorcycle is your means of getting around. The motorcycle is the worst part in the game. Whenever you run in to something you just stick there and you don't move. You never fall off the bike or wreck for that matter. The main character hardly talks even though he's got a voice that suits him. The graphics are horrible. You ride through trees on your bike. The camera makes fighting the enemy impossible. This game wouldn't even be worth renting. negative negative +I usually like hongkong - martial arts - fantasy movies but I hated this one. Once Upon A Time In China, Shogun Assassin, A Chinese Ghost Story and even Big Trouble In Little China are my favorites but this film sucked! Too much fancy tricks and stupid story.

4/10 negative negative +The Bermuda Triangle ,we are told in this waste of celluloid, is the portal to another time and dimension and can be crossed using cheap special effects by bad actors spouting inane dialogue

I simply was unable to decide who the makers of this excresence thought would be its target audience as it seems impossible anybody could derive even a modicum of pleasure from the outcome Avoid-its not even bad enough to be good. negative negative +This is about the worst movie I have ever seen. This movie does match the quality of such movies as 'THEY' & 'Cabin Fever', but even those had name actors where this one fell short. The 'eye candy' of this movie looked to be a 50 woman with a bad face lift. (just an example of the quality). I would have rated this movie in the negative if possible. Ladies I have to tell you that the men were not bad to look at, but not much either. If you were planning on going to see this movie I would strongly recommend saving your money. negative negative +Creepy & lascivious wolf. The young 'Red' is wearing full make-up, and extremely short shorts & robe. Got about 20 minutes through and realized it could be a pedophile's dream come true. The 'up-beat' music sounds a lot like something I'd hear at a strip club. I actually think this movie is a sick joke - it's not a family movie. Gross, glad I was watching this with my daughter, I don't want her to think it's normal for families to view quasi kiddie porn together. Very bad, Very sad it's sold as a family film, Joey Fatone will probably be embarrassed he was in it. And what's with advertising it as a 'special effects spectacular'??? The effects do look low budget, gawd awful. negative negative +This movies shook my will to live why this abomination isn't the bottom 100 list i don't know.

My life was saved by the healing power of danny trejo.

Worst movie ever, i dare you watch. It's like a 90 minute collect calling commercial, only much much worse. i rather watch the blue screen it's that bad really negative negative +I only lasted 15mins before self preservation jerked me out of the empty eyed drooling stupor that this film effortlessly induced and propelled me screaming back to the video shop armed for bear.

To say the film was bad would be a missed opportunity to use words interspersed with characters from the top keys on my keyboard (just to keep these comments clean).

One to be avoided.

negative negative +

Very slow, plodding movie with a confusing story line. The movie's only hope of keeping the audience interested is the gratuitous nudity thrown in at regular intervals. Ellen Barkin is miscast and her looks do not hold up when she is on screen with the much-younger Peta Wilson. Not sure what this movie was about. negative negative +I had to see this on the British Airways plane. It was terribly bad acting and a dumb story. Not even a kid would enjoy this. Something to switch off if possible. negative negative +I can say nothing more about this movie than: Man, this SUCKS!!!!! If you really hate yourself and want to do some severe damage to your brain, watch this movie. It's the best cure in the world for taking away happiness. When I started watching this film, I was completely happy. Afterwords I could feel my brain melting, like it was struck by molten lava. God, I HATE that stupid Dinosaur. So if you want severe brain damage: Watch this movie, it will do the trick. negative negative +...this verson doesn't mangle the Bard that badly. It's still a horrible minimalist production, Hamlet's Dutch uncle is inexplicably dubbed by a Spaniard (whether it's Ricardo Montalban or not is subject to debate), and Maximilian Schell overacts like never before. Most of the dialogue makes it through unscathed, and the fact that the MST3K version feels obliged to point out repeatedly that the speeches are long *duh* doesn't strike me as incredibly humorous. Mostly it's just bad acting, though. negative negative +A somewhat dull made for tv movie which premiered on the TBS cable station. Antonio and Janine run around chasing a killer computer virus and...that's about it. For trivia buffs this will be noted as debuting the same weekend that the real life 'Melissa' virus also made it's debut in e-mail inboxes across the world. negative negative +Uninspired, pretty much all around. The only exceptions were a couple emotional scenes with Keena (Violet), with whose performance I was pleasantly surprised and occasionally moved. Beyond that, it ended up being little more than a bad COA flick. negative negative +This movie shows me, that americans have no knowledge about the situation in the sad balkan-brother war! Please, if you want to see umpire movies with this theme, watch 'Savior', and you will see that nobody is 'bad'- and nobody is 'good' in this land of tears and sorrows... negative negative +Even for the cocaine laced 1980's this is a pathetic. I don't understand why someone would want to waste celluloid, time, effort, money, and audience brain cells to make such drivel. If your going to make a comedy, make it funny. If you want to film trash like this keep it to yourself. If you're going to release it as a joke like this: DON'T!!! I mean, it was a joke right? Someone please tell me this was a joke. please. negative negative +This is hands down the most annoying and frustrating game I have ever encountered. Every time you turn around the game takes control of your character or creates invisible walls that you can't walk through. The cut scenes leave you in control of your character's movements, but only to a slight degree. Also, you have to play the game for about 2 hours just to get past the intro/tutorials. It's terrible! I am afraid if I play this game any more I will end up breaking something. This game sucks. The graphics are good, but nothing special, the game play, however, is awful. To say I hate this game would be a huge understatement. I got it on sale, but I want my $20 back. What a waste! negative negative +If you haven't seen this, it's terrible. It is pure trash. I saw this about 17 years ago, and I'm still screwed up from it. negative negative +What a piece of stupid tripe.

I won't even waste time evaluating any of the points of this show. It's not worth the time. The one comment I will make is - why get such a DUMB, inarticulate doofus to be the star?!?

There aren't many more dismal testimonials to the deteriorating mental condition of the networks than the fact that FOX has stated it will NOT bring back John Doe (a decent series) but WILL bring back brain-dead drivel like Joe Millionaire for yet another round of killing the brain cells of the american public.

FOX has lost it, IMHO. negative negative +In A Woman Under the Influence Mabel goes crazy, but I can see why she does go crazy. If I lived the kind of life she lived with the family she has I would go crazy too. Everyone in her family is off their rocker and not completely with it. She is constantly surrounded by people yelling at her and telling her what is best for herself and people that aren't the sharpest knifes in the drawer.

To start with the one person closest to her in her life, her husband, Nick, is a little off his rocker. He is always yelling at her when he is home telling her how to live her life and to stop acting like an imbecile. The rest of the time he is working long hours at his job and he isn't there to support her when she needs support. The one person in her life that should always be there for her is never there and if he is, he is just making her feel worse. She relies on him for support and always goes to him first when she feels she is acting wrong and he does nothing to support her. When she comes home from the hospital all he does is tell her how to act, instead of comforting her, he just yells at her and tells her what to do.

The other major people in her life are her parents. Her parents do nothing in her life for her. Mabel basically runs their lives because they are afraid to stand up to her and stand up for her. In the end she even asks her father to stand up for her and he doesn't understand, and when he does get it he still does nothing. They do nothing to help Mabel recover or to keep her from going crazy because they do nothing for her period. The only person that tries to do something for her is Nick's mom. Nick's mom is adamant about having Mabel committed. She doesn't want to have Nick deal with it so she has the doctor commit her. It seems as though everyone is against Mabel and they feel that having her committed is a good idea because then they won't have to deal with it anymore. They all want to live their own lives and do nothing for Mabel except for yell at her and make her feel like she is doing something wrong when she really isn't. That is why she went crazy, and why she had to be committed, it was her family's entire fault. negative negative +I found this movie to be preachy and unrealistic. It tries to be a movie showing kids fighting against the system, but it doesn't even present a positive solution. I guess I didn't feel really for the kids. I totally can understand what their gripes were and I know how poor the state of schools are, but I found their solution and the way the outside dealt with it to be a big bunch of phooey. If this comes on TV, don't waste your time. Watch Short Circuit again for the 235th time. negative negative +The authors know nothing about Russians prisons, the movie is absolutely cockamamie, has nothing common with the reality. They also don't that the foreign prisoners in Russia have a special prison so the foreigners NEVER live together with Russian criminals. The uniforms in this movie look if they were stolen somewhere in Latin America. Prisoners in Russia also don't work outside the prison. Each kill in Russian prison is a subject of investigation so the prisoners kill each other only if there some very important reasons. Playing soccer is also forbidden in the prisons, contacts between the prisoners are very restricted, no chance for bloody combats etc etc etc. So this movie has Nothing common with the reality. negative negative +This movie is truly amazing,over the years I have acquired a taste for Japanese Monster movies and am well aware that early examples of this genre can be poor. However this one reaches a new low, as it follows the adventures of Johnny Sokko(?), a young boy who controls a Giant Robot, and his fight against the evil Gargoyle Gang, who seem to have an endless supply of horrid giant monsters at their disposal. negative negative +Proof, if ever proof were needed, that Hammer should have left their vampires firmly in the Victorian age. After all, vampirism is all about repressed sexuality, so the concept is irrelevant in 1972's London, with its thirty-something thesps pretending to be randy teenagers.

Remember, by this time, Hammer was floundering badly. The public had tired of the drawing room horror of the 1950s and 60s, so the studio was trying everything to bring them back, including ample nudity (LUST FOR A VAMPIRE, et al) and updating their characters - neither of which apparently worked as Hammer was pretty much resting in it grave just two years later. Shame ...

But I still have a great fondness for the classic Hammer period from 1957-1965. negative negative +This movie should have never been made.

What a shame of the budget.

Please hire convincing actors, and make a proper movie. Very thin plot, and unconvincing lines. Almost hilarious, and that is a shame for an action movie....

Definitely not worth watching.

They keep replaying the same 'shots' of an Stealth airplane flying away. You have seen it ones, and that was not worth re-running 3 or 4 times.

It is time for Steven Seagal to retire from movie-making.

His movies are getting worser every time.

Black Dawn, and Submerged were already bad, but this movie is even worse. negative negative +An absolutely atrocious adaptation of the wonderful children's book. Crude and inappropriate humor, some scary parts, and a sickening side story about the mom's boyfriend wanting to send the boy away to military school to get him out of the way makes this totally inappropriate for the kids who will most likely want to see it because of the book (3-8) yr olds. Don't waste your money, your time, or your good judgement. negative negative +The worst movie I have seen in a while. Yeah its fun to fantasize, but if that is what you are looking for, I suggest you see Brewsters Millions. This was just terrible and corny and terrible at being corny. Unless you are five or like terrible movies, don't see this one. negative negative +I did not like this movie. I rented it hoping it would be something like the 10th Kingdom. I was disappointed when I discovered it wasn't. I also found it just plain nervracking. The acting was bad, the characters where unbelievable and the time jumps were crazy. I only recomend this film if your in the mood to see a crazy dude running around, but I'm sure there are better films with the same thing. I can't believe I wasted my time on this one. negative negative +It's not just that this is a bad movie; it's not only that four of the 'best' Mexican movie makers are in this film; and it's not only that the script is terrible. It's just that...this movie sucks...big time. This people are wasting money in terrible scripts. It's supposed to make a criticism about Mexican society but we're fed up with this kind of films. Is bad language supposed to be funny? I don't get it. Mexican cinema is in big trouble if this kind of movies are going to continue playing (and being written and produced).

Please, don't think this kind of movies are well received in Mexico: We hate them and they don't reflect us. negative negative +it aint bad, but it aint good. it is just entertaining.

as a comedy which it is supposed to be, it's dreadful. not many laughs at all as every joke in the movie has been done a million times before.

it's a shame as all the actors in the film are great usually, but none of them really do much. and the ending sucks. negative negative +This movie was so incredibly boring, Michael J. Fox could've done so much better. Sorry, but it's true for all you people who liked the movie negative negative +Seeing as how I am a big fan of both 'Fall' and 'If Lucy Fell', I came to 'Wirey Spindell' with high expectations. I am not sure I could have been more disappointed. This had it all, weak dialogue, weak performances... you name it I was let down. Oh well, better luck next time Eric. negative negative +The silent one-panel cartoon Henry comes to Fleischer Studios, billed as 'The world's funniest human' in this dull little cartoon. Betty, long past her prime, thanks to the Production Code, is running a pet shop and leaves Henry in charge for far too long -- five minutes. A bore. negative negative +This is an hybrid creature born at Carl Macek mind. With Robotech the second generation (Robotech Masters) and Megazone 23 into one miserable movie, that have no logic! The story is very, very bad, and you cannot forgive the action of Megazone when have nothing to do with Robotech. If this movie have so high rank is for the TV series and not for itself!! I did said it, the name cannot save this! negative negative +i saw this movie last night and even after a couple of beers the only giggle this movie got out of me was when i realized that i was actually watching it. in a word, it is unfunny. UNfunny. i totally believe the trivia tidbit about jack black apologizing for making this garbage. i can't believe that barry levinson didn't just toss this script when he read the first page. moreover, i can't believe that i watched more than ten minutes of it.

i gave it 3 out of 10* because i love to see christopher walken make terrible movies for the paycheck. also, the horse 'corky,' by merely existing as a character in this movie, is actually quite ridiculous. negative negative +Maybe this movie was actually intended to be satire like 'Airplane' but it failed at that as miserably as it failed at being a 'thriller'. I don't understand why they couldn't have paid an actual pilot a couple hundred bucks for a little technical advice. Hell, I would have done it for free! This magical aircraft managed to morph from a 757 to a 767 to a 747 in an hour and the power levers worked backward. And the dialog sounds like it came out the back end of a kid's game of 'telephone' where everyone spoke different languages. I actually rewound the TIVO and watched some of it a second time to see if it was really as bad as I thought at first. It was. negative negative +Oh how I laughed....this has it all...an Asian/White family, a disabled Asian boy...everything a healthy person needs to see in the eyes of the BBC.

What utter tribe: This was a total insult to my eyes that viewed this rubbish for one episode and ONE EPISODE ONLY.

When you think of some of the quality the BBC has put out over the years (Fawlty Towers for example) and then this comes rolling in...Its a disgusting disgrace.

Its all geared on political-correctness and is devoid of any humour whatsoever.

This is straight from the bowels of hell: but what would you expect from the ultra left-wing BPC...I mean BBC. negative negative +Blue monkey is actually mentioned in the film but not in any way that makes any possible sense. At one point,some kids are wandering thru the deeper levels, exploring.

They begin to discuss what they'll find down there and one of them (a girl) says she bets they'll find a blue monkey.

Yes, thats it. Totally inconsequential to the story, the only sad connection to the title, and no idea why she would suppose she'd find a blue monkey in a hospital's basement.

I'm embarrassed for having remembered it but somebody had to remember I suppose! negative negative +I saw Grande Ecole at its world premiere on the Rotterdam Film Festival. I had no idea what I was entering and if I'd had any idea I wouldn't have entered. This is the most pretentious film I've seen for a long time. It tries to be provocative, yet deep, with its full frontal homosexual sex scenes - it doesn't succeed! It's nothing but another bad excuse of showing naked persons on the big screen. 4/10 negative negative +The progression of the plot is enough to 'rope one in' and create curiosity about the outcome. However, ultimately, the feeling that remains is that the producers of the movie forgot to end it. If the intention was to create a perpetual circle (occasionally done in the Twilight Zone), it was too sloppy to view as a positive effort. negative negative +This was a dreadful, boring movie, even for a documentary. At times, it did provided insight to life and also had humorous moments, but overall it was not worth seeing. Every time I began to feel sympathetic towards Mark and began to hope he would be successful, I would become disappointed by his lack of responsibility and drug and alcohol abuse. negative negative +This is the worst show I have seen in years. I believe that it should be taken off of T.V. because of its retardedness. It is so dumb I could faint when I watch it. (even though I never watch it because it is SOOOOO poor)

Goofs: When mac says he can;t eat sugar, in another episode he eats sugar. Almost everything in the world has sugar in it!!! In episode 'Eddie Monster' when eddy screams at Terrance he falls into the crate twice PLUS the seconed time he falls in he doesn't fall in, he falls off to the side. What stupidity. I can't even say the word Fosters Home. I even made a song with my band about how retarded this show is. Byyyyyyyyeeeee negative negative +My life is about saving animals. I do volunteer work with a cat rescue organization. I am a vegetarian because I couldn't kill an animal even to sustain my life. I can't even kill a spider, I put it outdoors. The scene where the children throw rocks at the bird until it dies, with Sooner participating in an attempt to be accepted by the other children, made me sick and has haunted me ever since. It simply convinces me that human beings are pathetic in their need for acceptance. The ending - the foster parents adopt Sooner - does not redeem the depiction of animal cruelty. Why would anyone want their child to see this film? negative negative +It's very sad that Lucian Pintilie does not stop making movies. They get worse every time. Niki and Flo (2003) is a depressing stab at the camera. It's unfortunate that from the many movies that are made yearly in Romania , the worst of them get to be sent abroad ( e.g. Chicago International Film Festival). This movie without a plot , acting or script is a waste of time and money. Score: 0.02 out of 10. negative negative +Once upon a time there was a science fiction author named H. Beam Piper who wrote a classic book named 'Little Fuzzy' which was about a man discovering a race of adorable little fuzzy humanoids on another planet. Mr. Piper died in 1964, but Hollywood and many of today's authors starting looting his grave before his cadaver got cold. This is the book where they got the idea for Ewoks from.

Skullduggery is such a blatant ripoff of 'Little Fuzzy' I can wonder why I'm the only who's ever noticed?

But don't take my word for it. Here's a link to Project Guntenberg where you can download a copy of 'Little Fuzzy' for free: http://www.gutenberg.org/ebooks/18137 negative negative +I had no expectations when seeing the movie because I was seeing it with a bunch of friends and had no idea what it was. Some parts were silly and some parts were lame, but overall the movie was worth watching. I like goth looking women; this movie has plenty of it. The fangs do look really lame though. negative negative +I view probably 200 movies a year both at theaters and at home and I can say with confidence that this movie is by far the worst I have seen this year (If not ever, however I have not actually seen 'Quest of the Delta Knights' yet). This movie is just bad joke after bad joke geared to the 13 year old and because I had he displeasure of viewing it on a bus trip I couldn't walk out.

Do yourself a favor and skip this one in the rental aisle. The four dollars could be better spent on any movie by numbers produced by Jerry Bruckheimer. negative negative +Damn, I thought I'd seen some bad westerns. Can't top this one though. Hell I think I'd rather have my eyes stapled open for a Trinity Triple Feature for cryin out loud. I dont think I'll be able to watch Ben Hur again without laughing my ass off. Just really bad.

But hey, if you like stupid westerns with acknowledged stars in the thing take a peek at Shoot Out with Gregory Peck. It's just as bad, but much funnier. 1/10 negative negative +I have to say that I really liked UNDER SIEGE and HARD TO KILL.

watching Seagal doing his funny martial arts on people. I have

been always looking forward to Seagal-Movies and, unfortunately, I was first disappointed by GLIMMER MAN, which I found really bad. THE FOREIGNER is probably one of the worst Seagal has ever

acted in. Horribly boring, badly edited, wrongest soundtrack and so on! Dear reader, do yourself a favor an stay away from this!

Honestly: Stay away! negative negative +The scariest thing about this horror movie is that the end alludes to a sequel. 'The Cave' is really a disappointing action movie. A team of cave and undersea researchers go to Romania (one of these inexpensive places to make a movie, for now at least) and following a destroyed church enter in a cave that proves to be a realm of underground monsters. Or are they daemons? The movie never decides if it wants to be action, science fiction, or horror, it is a mix of all without salt or fun, and acted in a wooden manner. The best thing about the movie is the cinematography, but even the dark landscape of the cave becomes soon boring, because the film lacks pace and the characters are simply not interesting. Waste of time. negative negative +'I hate you, you hate me, Barney stole your SUV with a great big bunch and a kick from me to you wont you say you hate me too?' 'jingle bells batman smells grandma had a gun shot Barney and made him pee and now there is no more barney the moron' Now why the heck would come up with a idiotic show like barney ???????? So what I'm saying is Barney is a retard from the underground world? And the kids on this show are like 12 years old. If i were them i wouldn't believe this stupid idiot called barney.Now producers why do you believe this crap that barney says? They are always happy. That is stupid.they should be sad sometimes. am i right? bottom line barney is so stupid who watches that ugly creature. negative negative +The man who gave us Splash, Cocoon and Parenthood gave us this incoherent muddle of cliched characters, poor plotting, you've-got-to-be-kidding dialogue and melodramatic acting? I guess everybody has a bad day at the office now and then. He's allowed. negative negative +What an appalling film. Don't get me wrong, Gene Hackman and Denzel Washington are good actors, but aside from a few interesting set pieces, the film is mostly taken up with hysterical submariners shouting, crying, sweating and generally freaking out when anything goes wrong.

Take that with simplistic asides to make sure the audience still understand what's going on (the scene where Denzel Washington explains to a radio repairman how he must be like Scotty in Star Trek is nothing more than a joke) and you have a dumbed down thriller not worthy of the acting.

Let us just hope that the real nuclear US Navy is not in the hands of such a script!

negative negative +

This movie sucks. Ridiculous 'school' athmosphere, unbelievable students that are very bad and behave like criminals but then later after the 'good teacher' Nick Nolte taught them they became as good and as quiet as kittens.

If this works for you, it doesn't for me. 0 out of 10 negative negative +This has to be the worst movie I have seen. Madsen fans don't be drawn into this like I was. He is only in it for a maximum of five minutes. This movie is so bad that the only reason why you would watch it is if all the rest of the movies on earth as well as t.v. had been destroyed. negative negative +Peter Crawford discovers a comet on a collision course with the moon. But when the government doesn't believe him (dumb fact #1). He builds a shelter in deep underground and is drawing lots to see who will go. Plus is willing to kill to save humanity (dumb fact #2). With millions of dollars of technology, how could a civilian see what NASA could not? Plus, the ends justifies the means moral of this story is just plain WRONG!!! This movie is improbable and totally unbelievable. What was running through these people minds, why the hell do crap piles like this get the green light? Some times I wonder who someone has to **** to get a movie made in this ****ing town. negative negative +Director / lead actor Dutcher revels in this look-at-me film, wherein he attempts to gain worldly acceptance for tarnishing the otherwise very upbeat world of Mormon missionaries. Some of the acting is fair. But some roles are unrealistic, i.e. the ominous (rather than fatherly) Mission President, etc. The film does give a fair look at how some missionaries may struggle with their faith, but the actual missionary program he claims to represent is far from his concept of it, in terms of being upbeat, cohesive, and inspired. The only inspiration I see in this film is Dutcher's self-inspiration. The film is slow and boring, and the shooting and screenplay look like a college student project. negative negative +I can get over the political parody; even if this was SUPPOSE to be a 'Masters of Horror' flick.

But, what I can't get over is the blatant usage of our war heroes (and their sacrifice) as pawns in some washed up horror maker's political statement.

To me it was purely insulting to desecrate Arlington, and our heroes. I have family at Arlington. The idea that this guy (Dante) would even portray the Arlington graves being disturbed just makes me want to puke.

I'm done with Dante, and done with MOH. negative negative +Usually I'm a bit of a fan of the bad eighties & early nineties film featuring now has beens...but this film is so incredibly terrible that it was a real endurance test to sit through. Guys dressing up as girls has been done to death - but never so pathetically. Corey Haim's performance was abysmal as usual, Nicole Eggert was not much better. This has no redeeming qualities, even if you are a number #1 fan of an actor/actress in this piece of trash - stay away! negative negative +Well the plot is entertaining but it is full of goof. To summarize things up, cop/dad badly wants to save his son from cancer but the only way is by getting the transplant from the criminal(Michael Keaton).

well criminal agrees BUT escaped in the hospital while the transplant was going on and the police and the cop-dad is not allowed to shoot at the criminal in order to save his son. (dead criminal-no transplant-dead son).

well, the police in this movie doesn't have a brain, in case they never heard of a TAZER to knock off the criminal without killing him. end of movie, as simple as that.

But it when all crazy and stupid including the death of 2cops and a few doctor getting burned up pretty badly. negative negative +This film tries very hard to be an 'action' film, but it fails miserably.

Steve Guttenberg plays the head of an elite counter-terrorist team that fails (?) in attempt to keep a mysterious group from stealing a deadly nerve agent.

The story...the acting...the special effects...ALL FALL FLAT!!!

Definitely A MUST AVOID!!!! negative negative +Hello I am from Denmark, and one day i was having a film evening with my friends. One brought this movie with him 'Russian terminator' and it was extremely awful. After watching less than half a minute we decided to fast forward only stopping at some laughable 'highlights' or should i say 'lowlights' in the movie. I was actually mostly surprised to find out that this film was produced here in my homeland Denmark...that must have been the biggest mistake this country ever made. negative negative +I never thought I would absolutly hate an Arnold Schwartzeneggar film, BUT this is is dreadful from the get go. there isnt one redeemable scene in the entire 123 long minutes. an absolute waste of time

thank yu

Jay harris negative negative +This is one of the dumbest ideas for a movie. Remake a classic film shot-by-shot. I hope nobody tries this technique again. In 1998, 'Good Will Hunting' director Gus Van Sant tried it by remaking Hitchcock's 1960 classic 'Psycho' and failed miserably. What on earth was Van Sant thinking of? This remake doesn't even come close to topping the original. The few changes that were made here were no help. If you want to see 'Psycho', the choice is obvious. See the original.

* (out of four) negative negative +Was unlucky enough to see this while travelling by coach across Africa. It was far and away the worst film I have ever come across. Deserves to be the #1 all-time worst ;-) No acting, no plot, very little speaking. Lots of ape-like grunting though, in this hopelessly unlikely film. An unwitting self-satire - you'll either laugh at it or cry. negative negative +Who could possibly sympathize with these two obnoxious protagonists? What's intended to be a light, frothy comedy about neighbor children who can't give up their childhood game of dare even as they age well into adulhood, comes off more as an exercise in cruelty and petulant self-indulgence. As children, the pair are unbearably precocious; as adults they're intolerably immature. It's a bad combination. negative negative +This movie was in one word. Terrible. First of all the people who invented that thingie that puts you in the TV, are slightly insane! Secondly, the three teens are so obsessed with the show, it's scary! The movie was stupid, and no effort or thought was put into it! negative negative +I expect the same excitement as I SPIT ON YOUR GRAVE but I was let down by just junk how can you even call this a movie ( its kinda of a mini porno) . It made my sick when the guy was made to eat his own business. There is no story line to it at all it jumps to quickly from each murder. If you like seeing a women naked or even mens parts then there's spots in the movie for and there's even a masturbation spot in the movie which makes it a porno and not a movie at all. I have seen some dumb movies in my time but this is number 1 . I want be watching it again at all. The actors even look bored during the movie to me so they probably were in need of money badly to make this movie. negative negative +No surprise except in how quickly ABC reacted to the dismal ratings. According to published reports (Variety) the show garnered the worst ratings in the history of the ABC television network.

And I quote: ABC's music talent competition 'The One' opened Tuesday night to cancel-me-now ratings.

The article went on to say that the show received a 'shockingly low 1.1 rating/3 share in adult 18-49 and 3.08 million viewers overall.'

That makes it the weakest premiere for any reality show on any network and also below all series bows in ABC history.

From the first moment I saw the commercials for this I knew it would fail. We don't need another American Idol clone. But ABC should have given this show a fair chance to succeed. negative negative +If you ever visited Shenandoah Acres as a child and wondered, could there be a worse vacation spot in the world? Well, you could have watched this movie and had your answer. Flavia (a.k.a. Fistula) Macintyre's dude ranch is often frequented by business casual Gordon, at least since resident water witch, Jessica, was 13. But Jessica can find much more than fresh spring water with that divining rod – buried 'tray-shure,' lost jewelry, dead bodies, even a talisman that will keep her from dressing like a slut and raising drinks with a phony beat and a Suzanne Pleshette look-alike while hypnotized by a disembodied head. Evil, evil evil. negative negative +Yet again one of the most misunderstood Goddesses of my country has been twisted by 'Westerners' who cannot understand the esoteric symbolism of the Mother Goddess in her dark forms. The Mother takes on the frightening form of Kali Mata to destroy our inner demons, and to terrify our egos. And though blood sacrifice is given to Kali and Durga, the events depicted in this film are just absurd. The Mother takes on a wrathful form to be wrathful to our inner demons, limitations, and ego when no other form will suffice. It's also in her wrathful form that she burns away all your Karmas in the 'Smashan' fires that you cultivate in your heart for her to dance on if you love her, and she will bring you to reality and truth. Reality and truth has a dark side as well as light, which serves a purpose. The Mother is the embodiment of the physical Universe as well, she is Nature. Nature can be cruel and destructive to maintain balance. You cannot have growth and life without death and destruction. Kali represents the force of destruction for the purpose of new growth and life both mundane and spiritual in the universe. It's very outrageous to me that people who know nothing of India or it's divinity can just take one of our beloved Goddesses and use her like a cheap prostitute to make some low-budget, talentless horror film. How dare they take our beloved Mother and portray her as a horror that makes people chop their eyelids off!? She is only horrific to those who are attached to their ego and who live in delusion , greed, anger, and other inner-demons. It's very clear to me that the person who wrote this movie must have a very serious self-deluding ego, and serious inner-demons to see Kali as so horrible and terrible. When the ego drops away she becomes a form that is enchanting, beautiful, and young, a beauty that is so enchanting to behold that she enchants the entire Universe with it. Kali Maa is an ancient Mother, not to be trifled with for the sake of entertainment, let's just hope that in her endless compassion and mercy that she does not take on wrathful form to those involved with this movie.

The audacity that Westerners have in using religions like my own, or the religions of the Caribbean Islands such as Santeria, and Vodou which are actually very positive, and other such religions to twist and exaggerate misunderstood elements that the Western mind cannot comprehend, is totally ridiculous. It's clear that there is no respect for what people live, breathe and believe in when it comes to these kind of flicks.

Kali Maa in reality is a caring and compassionate mother, whom we shed tears at her beautiful feet in devotion and love for. And I am happy that my Mother takes on wrathful form sometimes to protect her devotees from themselves and from outside forces.

Many Praises to the REAL Kali Maa, who has shown MANY the path of God and realization. negative negative +I wasn't expecting this to be a great movie, but neither was I expecting it to be so awful. I hated the mother character so much I had to turn the channel. I turned it back, hoping it was just one part of the movie, but no. And for the daughter to sit there take being embarrassed, or almost done out of a job, or driven to madness inside her own home? Are you kidding me? I was raised to respect (and even fear) my mother but I'd put her up fast in the nearest hotel if she proved that annoying in MY house. I was expected to follow a set of rules in my mother's house, after all.

I didn't buy any of it. I tried giving it several chances, I really did. Sorry. negative negative +Ouch. This is one ugly movie. Not only is it badly acted, but it absolutely destroyed the book as well. Horrible. How you could mess up such a classic book is beyond me, but they sure did. Don't even think about even renting this. negative negative +This movie looked like it was going to be really funny. I was very excited to see it but was very disappointed. It was very unrealistic. The plot was also pretty weak. I was expecting it to be really funny but the jokes weren't even that good. I was also really disappointed with the ending. I would not recommend this movie to anyone. negative negative +This is a really mediocre film in the vein of 'Buckaroo Banzai.' The cast runs around like 'Mad Max' wannabes, and they seem to be sharing a joke that they do not want to share with the audience. Wheeler-Nicholson is one of the those guilty pleasure actresses you are delighted to stumble across in films, but she isn't worth the price of rental. Space Maggot starts an electrical fire, and burns a vote of 4. negative negative +I am sorry but this is the worst film I have ever seen in my life. I cannot believe that after making the first one in the series they were able to get a budget to make another. Not that the budget could have been much - this is the least scary film I have ever watched and laughed all the way through to the end (actually I can't believe we watched it to the end) but I think it is because we couldn't quite believe it. negative negative +The moral of this show is that bad eating habits give people bad hair, bad taste in clothes, bad posture, bad jobs, and on and on. They are obviously miserable and loathe themselves. However, if they learn to eat broccoli, they will be wealthy, successful, and attractive.

TLC ought to be ashamed of themselves for this blatant exploitation of parental fears and guilt. If nutrition is really that important, they should be able to develop a show using honest and truthful methods. If they really believed in their computer simulations, I'd like to see them do a double-blind test by finding some 40-year-olds, finding out what their eating and exercise habits were as children, and age-progressing the kids' photos. Then compare to the real things. Hey, that sounds like a project for Mythbusters! Discovery Channel--are you listening?

TLC must stand for Tabloid Lies and Cons. negative negative +I really cant think of anything good to say about this film...not a single thing. The script is a nightmare.. the writer blurs the line between chemical and biological traits and doesnt seem to understand the difference. You'd think they would at least get a technical advisor. The performances were bad by most of the cast... although I dont really blame them.. the material really stinks. The editing was equally bad.. I'll just stop now.. its all bad 2/10 negative negative +First off, I had my doubts just looking at the DVD box and reading it saying that it was about of bunch of teens gathering at a lake where they will find do or something. Any movie that has a premise like this has failed miserably, even as a slasher movie, except for the first Friday the 13th.

I wanted to get up and stop watching the movie at least 10 times, but I just kept thinking that it had to get a little better. It didn't. Usually, I think every movie has something that you can take from it. This has nothing.

Do yourself a favor, and find something constructive to do for 80 minutes. Like, give yourself papercuts, or eat dirt. negative negative +I rented this tape a couple of years ago, and boy did it suck. From the commercials, I was lead to believe that this was a movie about a guy who had no no luck with women, and that was where the comedy would lie. Boy was I wrong. The jokes were vulgar, and they were just not funny. Don't bother. 1/10 negative negative +Simply put, this is the worst movie since 'Police Academy: Mission to Moscow' (if you liked that movie you will probably like this one).

What were they thinking ? Some ideas should stay just that, an idea. The fact that this idea could itself to film should be a criminal offense.

What was so bad about it I hear you ask. One word ... EVERYTHING.

Cost to Hire: $4.50 Cost in Time to Watch: 89 Minutes

I want a refund on both! negative negative +Can u believe a college professor made this film?????

The same man who made DHOOP

The film is horrible and has some of the weird scenes ever

The main message is nice but presented badly

The film looks like a collage of amateurish scenes, miscasts.etc and bad performances

Direction and everything is poor

Music is okay

Emraan's naughty streak works and he does well Tusshar is bad Tanushree and Isha are bad Paresh annoys when he looks at the mirror negative negative +Even though I have great interest in Biblical movies, I was bored to death every minute of the movie. Everything is bad. The movie is too long, the acting is most of the time a Joke and the script is horrible. I did not get the point in mixing the story about Abraham and Noah together. So if you value your time and sanity stay away from this horror. negative negative +This movie made me want to bang my head against the wall. It is hard to compare such badness as this to anything, but some say that watching this movie is similar to bleeding from under your fingernails. And that comment comes from the writer's cousin. This movie was so flipping bad, it made 'Hulk' (The second worst movie ever) look like 'The Departed' (One of the greatest movies in cinematic history). If you like boring family movies with predictable plot lines, then you will absolutely love this movie. If you have a brain, then you definitely will not. When I rented this movie, I actually fell asleep while watching it. The next day, I finished it from where I left off, and it was the worst decision of my life. negative negative +This movie got extremely silly when things started to happen. I couldn't care less about any of the characters; Susan Walters was so annoying, and the leading actor (forget his name) also got on my nerves. Can't quite remember how it ended and so forth but the whole idea of aliens possessing human bodies and all just seemed stupid in this film, things didn't quite carry off. My dad told me it's s stupid movie...I should've listened to him. negative negative +I agree totally with the last commenter this could be the worst movie ever made .I too had to fast forward through most of this movie. Michael Madsen must have done this movie as a favor to someone.The picture quality is grainy all the way through .And what little plot there is,is just plain stupid .I give this movie a 1 out of 10 if I could give it a lower score I would .Don't waste your time on this movie or you'll regret it. negative negative +this is a piece of s--t!! this looks worse than a made for t.v. movie. and i shutter to think that a sequel was even concieved and the results... war is prettier than this. jean claude van shame has done it again and he wonders why his career is where it is now. no script, no story and no time should be wasted on this. i mean that. 1 out of 10 is too high, way too high. goldberg should be jackhammered for this. van shame is no actor. negative negative +We can conclude that there are 10 types of people in this world.

Those who understand binary and those who do not. Those who understand binary put this movie to its grave along with hackers, while those who do enjoy this movie for the sake that none of this crap could happen. Ever.

For a movie to attempt to be a modern movie with fiction applied to it. It has failed. Horribly. Only a 11yr old and below can enjoy and only 30yr and up could be scared to have their identity taken. It losses out on the main market for a resale value(i watch it now it is more boring than when it was first released). negative negative +I don't know how people can watch this - the only people who enjoy watching this are those who have no feelings and emotions and enjoy watching people die, houses burn down, car crashes, babies die, and cast members being killed off every week. Its the most absurd thing on television and i still don't know how it pulls in the ratings. Its so depressing. I can imagine the writers sitting down and saying - 'so who shall we kill of next week then' or 'whose house shall we torch in a months time?'

Its the most depressing, absurd and most stupid thing on TV at the moment, and i cant understand peoples motives for watching this depressing pile of crap anymore negative negative +Absolutely horrible movie. Not a bad plot concept, but executed horribly. Cliché storyline; bad script. So schlocky it doesn't even qualify for campy. This is the kind of movie that gives sci-fi a bad name. negative negative +Profanity, stupidity, self-indulgence, and bad acting all join forces for a true tour de force in terrible movie-making. Pesci's attempt to prove My Cousin Vinny was no fluke, shows the opposite instead. He is generally too lightweight and foulmouthed to handle the lead. A true must-miss! negative negative +Small college town coed OD's? (Why do we care?) Acting sheriff investigates the incident. (Why do we care?) The interviews show us the comatose subject (Kirshner) as different as the opinions of the subjects being interviewed. (Why do we care?) Result? A mess of flashbacks in this mess of a movie featuring a handful of one-hit wonders and B-flick divas which begs the question...Why do we care? negative negative +This film features two of my favorite guilty pleasures. Sure, the effects are laughable, the story confused, but just watching Hasselhoff in his Knight Rider days is always fun. I especially like the old hotel they used to shoot this in, it added to what little suspense was mustered. Give it a 3. negative negative +I didn't know Willem Dafoe was so hard up for bucks that he'd disgrace himself with such shocking hamming in this monstrosity. Hell: I'll donate that money that I was going to send to Ethiopia if he's that desperate. I have never seen such a pathetic and disgusting film for a long time...who paid for this? They are either pulling some tax scam or insane. A 5-year old would be ashamed of the plot, and I'd rather get cancer than sit through more than the hour I suffered already. Everybody involved should be locked up for a year in the sodomy wing of a third world prison. Avoid at all costs. I'd give it minus 10 if possible...unbelievable. negative negative +Quite possibly one of the greatest wastes of celluloid of the past 100 years. Not only does it suffer from a painfully (and enormously predictable) disjointed script, but it's clearly a carbon-copy of Alien II. Within five minutes I had correctly predicted who would die and who wouldn't (and in which order). The special effects are laughable; there is a scene where one crew member is mauled (unconvincingly) by two Krites that look like a pair of teddy-bears, and the sparse humor is misplaced and dire. There are better things to do with a VCR remote than use it to watch this movie. negative negative +The threesome of Bill Boyd, Robert Armstrong, and James Gleason play Coney Island carnys vying for the hand of Ginger Rogers, a working gal who sells salt water taffy. With the outbreak of World War I, the threesome enlist and pursue Ginger from afar. The first half of this RKO Pathe production is hard going, with the three male leads chewing up the scenery with overcooked one-liners and 'snappy' dialogue that quickly grows tiresome. The second half concentrates on action sequences as the US Navy pursues both a German merchant cruiser and a U-boat. These sequences are lively and well-filmed, but overall this is an overlong and unsatisfying comedy-drama with a flat ending. For fans of the stars only. negative negative +I don't mind some adult humor, but this feature was just downright dirty. The first 10 minutes consisted of Pryor swearing at some guy taking pictures, followed my even more profanities. I don't know what happened between that time the the last 5 minutes because I walked out. After seeing this I never looked at Richard Pryor the same way again. And to think that he actually went on to host a childrens' show.

If profanity and tasteless, unfunny dirty jokes make you laugh, then you'll probably enjoy this. But if you're an 'old-fashioned' type, then don't bother. negative negative +Bad movie. It´s too complicated for young children and too childish for grown-ups. I just saw it because I´m a Robin Williams fan and I was very disappointed.( negative negative +Well our standards have gone into the toilet. The direction was poor, the acting was mediocre and the writing was amateurish. And those are the good points. Hopefully there won't be a sequel. Otherwise, I might have to leave the country. negative negative +(Spoiler included, some would say)

This film is not possible to take seriously. At some parts it is so awfully stupid that I just can't help laughing at it all. Try me for the sequence where Stallone's character jumps some 20 meters with full climbing gear or (and this is really my favorite) snuffs a bad guy by sticking him onto a stalactite. Yeah, what ungodly strength did he muster to accomplish such feats? I dunno, but he sure gives reality a run for the money. negative negative +This documentary (or I should say mockumentary) is the perfect example of how ridiculous can the people be, when they have full enthusiasm on something like that. Honestly, I hate Cryptozoology. It is unscience, it just destroy it. However, something positive in this was the visual effects (dragons were beautiful), but some of the information in this mockumentary was totally fake, and that is really disappointing because it was coming from scientists, so that is the reason why it deserves a 1 of 10 and not a 0. An example of false information would be the hydrogen idea: It is true that, according to Chemystry, the hydrogen is produced in the stomach but it is impossible to be produced in that proportions, so in that case, you need a good explanation of what really happens in a dragon stomach. There are a lot of substances whit hydrogen in the nature but not the necessary to aloud an animal like that to fly, and the hydrogen does not appear from nothing, so it is impossible. Anyway, there is actually something worse, the idea of the platinum: This element is more difficult to find than gold, and I cannot explain myself how dragons survive depending of that. It is ridiculous, they present dragons like creatures with low chances of conquering the planet Earth, but off course at least that explain why they got extincted. Probably cryptologist's call themselves scientists, but they are not. People like them say lies like in this mockumentary, and what is worst, some people buy them. But I do not think that a person who cares about Science would believe in dragons after watching this. Those fake scientists waste their time. negative negative +As one of the victims of the whole Enron scandal, my mother forced me to watch this movie with her. How many times can I say awful? The script was so weak, using cliche after cliche. It seems as though the writers pieced this story together with a few articles on Enron. Watching the movie, we honestly were able to complete about half of the one-dimensional characters' lines and thoughts. I realize this was supposedly adapted from a book, but was the book this bad? I don't know what to say. Just terrible. The best thing about the movie? Shannon Elizabeth actually kept her clothes on. Other than that, this movie gets a big fat F. negative negative +Anyone who is a sucker for 1920s jazz, 1920s dress, the Charleston, and ultra-swanky yachts (e.g. me, on all counts) will want to like this movie. But the sad fact is that that's all there is. The plot is banal and obvious, the acting mostly either awful or playing to the farcical side of the goings-on, and when the whole thing's over there is not much left but the impression of mirrors and smoke. This is a beautifully made bad movie. negative negative +This movie purports to show a middle class family's attempt to figure out what is 'going down' in the America of the late 1960's. Their trip to a rock festival is as far as their refurbished old bus gets. Without exception, the characters are superficial stereotypes.

If you want to know which well-established Hollywood actors were desperate for a paycheck in those days,.. just look at the credits. Sal Mineo, I had forgotten just how badly his career had hit the skids! Thank God, his career rebounded before his untimely death.

The writers on this television turkey were clueless. Outside of doing weed, their insights into the 'hippie movement' were laughable. negative negative +The acting was horrible and they got both of the sports wrongggg.......not only did they get the figure skating rules wrong, but also they rules of GIRLS Ice Hockey. In GIRLS ice hockey you cannot check. You also don't BLOCK for someone. Not all they girls are disgusting gross mean and big. I play hockey and I'm only 4'11 and have been asked to go to schools like the one in the movie. Also not all hockey players hate figure skaters. A lot of current girls hockey players were once figure skaters themselves. Also we skate A LOT faster then the ones in the movie. I was embarrassed by the movie it gave people the idea that we suck.......although i must mention that it is difficult to transition between the sports because of the toe pick on the figure skates.....also some of those twirly moves KAtelin was doing on the ice you couldn't do in a regular hockey game. She basically tripped the person, which is illigal. Its also unrealistic that she would get a HOCKEY scholarship when she figure skates. That really made me angry that scholarship would normally be used to someone who could benefit the team. negative negative +Totally un-funny 'jokes' that fall flat, amateurish acting (with one or two exceptions), boring characters and dialogue that's, at best, mediocre. After watching this movie, one must wonder how on earth a producer could come across a project like this and think, 'I MUST make this film.' No wonder it couldn't get a theatrical release. negative negative +MST 3000 should do this movie. It is the worst acted movie I have ever seen. First of all, you find out that the shooter has no bank account and no history since leaving the army in 1993 and pays his rent in cash. There is no way in hell that a person like that would ever be allowed to be that close to a president not to mention a high profile job. Also, the head of security for the POTHUS would not be so emotional that he would start drinking into a haze if the president was shot. This movie sucked. I cannot express the extremite that this movie was. Every single actor was terrible. Even the chick at the trailer park. I crap on this garbage. What a waste of time. negative negative +Just saw the movie this past weekend, I am upset, and disappointed with it. Basically, the movie tells you that immigrants, the ones from former Soviet Union especially, come to this country, bring everyone they can with them from the old country, and invade and take over what Americans have been working for. Which is a very wrong way of looking at immigration, and a much worse way of telling people about it. That's the main thing. Another thing, the overall writing, directing and filming is on the level of village amateurs. The actors did pretty well, but it wasn't up to them save this bunch of crap. A few jokes were funny, but most were bad and cheesy. Couldn't wait to get out of the theater, want my money back. negative negative +please save your money and go see something else. this movie was such piece of crap. i didnt want to go, but i had to so i thought i'd laugh at least once, NOPE. not a single laugh, it was that horrible! chris kattan will never get a good comedy role after this and 'a night at the roxbury.' this movie is completely obvious, has no smart humor at all, and just repeats itself over and over again. listen to me, and stray as far away from this movie as you possibly can! negative negative +First Off Acting Is So Terrible Except For The Actor Who Plays Spencer. Mirinda Cosgrove Does Not Deserve Her Own Show She Should Have Stick With Drake And Josh.The Only Person I Like Besides Spencer Is Nevel Hes Super Bad@$$ He Kicked Carlys Crews @$$ And I liked It

The Episode I Hate A lot Is Imyourbigesstfan I Hate That Young Icaly Fan She Made Me Almost Kill Myself Fake Is A Well Word To Describe This Please Don't Watch This Nothing On TV Is Good Go With Classics Like Family Matters Good Show Ban Icarly Lets All Go Back To Doug Nick Version Only Please Don't Watch I Hate Icarly Oh Also Nathan Kress Is A Wannabee Fredie Highmore negative negative +This one is just like the 6th movie. The movie is really bad. It offers nothing in the death department. The one-liners are bad and are something that shouldn't be in a NOES movie. Freddy comes off as a happy child in the whole movie. Lisa Wilcox is still the only thing that makes this one worth while. The characters are extremely underdeveloped. All in all better than the 6th one, but still one the worst movies of the series. My rating 2/10 negative negative +I found my tape of this long forgotten 'show'. Besides the Theme song 'DISCO BEAVER FROM OUTER SPACE'. This show is barely watchable. You will be flipping through channels,just like the couple flipping through the TV channels. This is a parody of TV.

The beaver is cool. The homosexual Dracula, the chick discussing her Peria experiences and the lady with the overly big lips discussing homosexuality show us everything that is wrong with TV. It is all BAD. Just like the beaver from outer space who seems to be lost in this new world, you will be too. *** out of ***** negative negative +This was probably intended as an 'arty' crime thriller, but it fails on both counts - there are few thrills and not enough substance. The plodding pacing makes it hard to sit through, and the occasional action scenes are too sloppily edited and confusingly staged to offer much compensation. At least the level of acting is high. (**) negative negative +I can only think of one reason this movie was released. To capitalize off the upcoming fame of Guy Pearce. This movie has no merit at all and needlessly trashes Errol Flynn's memory. The homosexual encounter was pure speculation. The disdain shown for Flynn in this movie is palpable. An easy way to slander an actor who died years ago. Horrible and embarrassing. Very disappointing. Don't waste your time on this utter trash. Watch My Wicked wicked ways if you want to learn about this fine actor or read his autobiography. This movie is NOT the way. negative negative +This was a truly bad film. The character 'Cole' played by Michael Moriarty was the biggest reason this flopped, the actor felt that conjuring up an unbelievably awkward southern drawl would make this character more evil, it didn't. After about 20 minutes I had wished for a speech therapist to make an appearance, this would have added some sincerity.

- 1) badly acted - 2) unsympathetic characters - 3) razor thin plot line

Yuck!

negative negative +Right then. This film is totally unfunny, puerile, has gags from other films, has songs from other films (Blink 182's 'Mutt', Grand Theft Audio's 'We Luv U'), an unlikeable leading man, a ridiculous plot, and lame parodies of films like Mission Impossible 2 and American Beauty. Redeeming features? Shannon Elizabeth and Jaime Pressly. Enough said. negative negative +A young man falls in love with a princess but then has to go to battle to save her father's kingdom. While away, he accidentally kills an enchanted animal which brings a curse upon him. He becomes a beast and begins to kill even his own comrades. When nobody returns to the kingdom from the battle, the king renders the land of battle cursed and forbids anyone from going there. One day, a rebel who wishes to marry the princess decides that it's time they ventured into the cursed land to claim it for the king and the king agrees, when they reach the land the king is captured by the beast and the rebel returns home to lie to the kingdom that the king has been captured and killed. He assumes the throne and prepares to marry the princess but the night before her wedding, the princess escapes to the land to go and battle the beast herself. It is only when she gets to the cursed land that she begins to realise that her father is still alive and that the beast may not even be that evil after all. Sadly, her discoveries lead her to pay the ultimate price in their revelation. negative negative +Penn takes the time to develop his characters, and we almost care about them. However there are some real problems with the story here, we see no real motivation for the evil brother's behavior, and the time line is screwed up. Supposedly set in 1963, the music is late 60s/early 70s. The references and dialogue is 70s/80s. The potential for a powerful climax presents itself, and Penn allows it to slip away. But even with all these difficulties it is worth the watch, but not great. negative negative +Avoid this film if you are looking for entertainment.

It is filled with wannabes trying to be something that they are not and Emraan is just wasted in the role of a tour guide who falls for a newcomer who needs to go to acting school. Seriously, where to they get these people from? Just because you're pretty doesn't mean you can act or should be an actress.

Asmit Patel needs to send an apology letter to everyone who accidentally watches him makes a fool of himself in this poor excuse for a film. He plays an insipid wannabe gangster who drugs girls and forces them to fall in love with him and sells them off to the highest bidder. negative negative +Theres not much you can really say about this film except that it was crap and probably the worst film i have ever been to see!! Take my advice don't watch this film it just wastes your money and time!!

I gave this film a 1/10 which is doesn't deserve. negative negative +the lowest score possible is one star? that's a shame. really, i'm going to lobby IMDb for a 'zero stars' option. to give this film even a single star is giving WAY too much. am i the only one who noticed the microphones dangling over hopper's head at the station? and the acting, or should i say the lack thereof? apparently talent wasn't a factor when the casting director came to town. my little sister's elementary school talent show provides greater range and depth of emotion. and those fake irish accents were like nails on a chalk board. the only thing that could have made this movie worse would have been...oh, wait, no,no, it's already as bad as it can get. negative negative +Being a Harrison Ford fan I am probably being kind. It was predictable, sappy...my husband made a lot of gagging sounds while we were watching it. What a disappointing movie. Our local newspaper (San Jose Mercury News) actually gave this 4 stars out of 4 stars!!! Hard to believe that the reviewer saw the same movie we did. negative negative +Ridiculous thriller in which a group of students kidnapped their bad and neurotic teacher (Mirren) just to prevent her action against them. Interesting premise could render a good movie but this one is just lame and far fetched. Boring with an ending embarassing, just to say the least. Mrs. Mirren tries to give some dignity to this misfire but even she - a good actress, no doubt about it - could save this garbage. I give this a 4 (four). negative negative +I regret that I've seen this movie. Can't believe that the creator of Best Intentions and Pelle the Conqueror could make such a bleak and boring film. What a waste! negative negative +This short spoof can be found on Elite's Millennium Edition DVD of 'Night of the Living Dead'. Good thing to as I would have never went even a tad out of my way to see it.Replacing zombies with bread sounds just like silly harmless fun on paper. In execution, it's a different matter. This short didn't even elicit a chuckle from me. I really never thought I'd say this, but 'Night of the Day of the Dawn of the Son of the Bride of the Return of the Revenge of the Terror of the Attack of the Evil, Mutant, Alien, Flesh Eating, Hellbound, Zombified Living Dead Part 2: In Shocking 2-D' was a VERY better parody and not nearly as lame or boring.

My Grade: F negative negative +This is one of the worse cases of film drivel I have seen in a long while. It is so awful, that I am not sure where to begin, or even if it is worth it. The plot is the real problem, and I feel sorry for 'Sly' as he puts in a decent performance for his part. But that plot ... Oh dear oh dear. I particularly love the way near the end he manages to pop from the foot of a mountain to the top, whilst the helicopter is on the way. A climb of a day or two takes him all of five minutes! I could go on: but it isn't worth it. Apart from the grim opening (which even a five year old would be able to predict the outcome of) the rest is drivel. Sorry folks, but this is about as bad as film making gets. negative negative +This is the worst movie I've ever seen, and it takes the price of the rotten movie of 2007 (which is made by me), anyway this movie misses every single ingredients of a good movie, I mean come on the actors had a bad performance, the story is just crap. I'm really, really disappointed they could have done better stuff, than this piece of junk. I've just wasted my time and my money on this movie. I wish that the production company could give back my money. Anyhow I'd high expectations on this movie, and I've got disappointed. I don't recommend anybody to watch this. so if u wanna waste ur money on something do it on some thing else than this piece of junk. negative negative +Maybe our standards for Vientam movies have increased since Born on the Fourth Of July, Full Metal Jacket, and Platoon. This movie has a predictable plot, bad writing, bad acting, bad directing, bad special effects, etc. Compared with other Vietnam movies this one is completely unbelievable. negative negative +Thunder Alley finds Fabian banned from NASCAR tracks after causing the death of another driver. Stanley Adams might want to put him on his team of racers, but the other drivers aren't for having him around.

Desperate for employment Fabian hooks up with an auto stunt show owner Jan Murray who's paying him peanuts and trying to capitalize on Fabian's bad rep. He's got to take it, but Annette Funicello who's Murray's daughter provides another reason to stick around.

The rest of the film is Fabian's struggle to get back to the NASCAR circuit while at the same time juggling both Annette and his current girl friend Diane McBain. Personally, I would have taken McBain, she has it all over Annette.

Thunder Alley is helped by location shooting at the southern NASCAR tracks and good film footage of NASCAR racing. Not helped by a rather silly story which delves into the real reason for Fabian's problems and his rather unrealistic recovery from same.

Still fans of NASCAR might go for this. negative negative +I'm sure this was one of those 'WOAH!' attractions in 1982 when Epcot opened, but now it's just silly. The film's message is cliché. The Circle-Vision is disorienting. And that awful song at the end is grating. And I really wish they'd install seats. After so much walking, all you want to do is sit down for a few minutes. And when you hear there's a film to see it sounds pretty glamorous! You get entertained while sitting down, right? WRONG! You're standing there for 18+ minutes leaning against a short little railing. Disney should make a newer Maelstrom like attraction to liven things up and replace this dull, lackluster film. NOT FUN. Skip it. In fact, skip Canada altogether unless you're eating there. Move directly to the United Kingdom. negative negative +Recently I borrowed a copy of this mess of a movie, which took me three sessions over three days to get through. That's another comment in the making.

But what I wanted to comment on first was the carelessness on the special features of the DVD. It included a game of memory, which asks the player/viewer to match up pairs of animals in order for them to board the ark. However, every time it reveals the chosen animal, the screen prompts the player to find (or congratulates the player on finding)'it's mate.' This is a spelling error since it should be 'its mate' as possessive pronoun, not a contraction for 'it is.' It is an annoying error to keep repeating 16 or more times to finish a game. Of course, it's a kid's activity really, but teaches kids incorrect spelling.

And, oh yeah, the game never changes. It is the same game with the same locations of the same animals each time. Plus it doesn't keep score, like the number of moves it took to solve the game. So there is no lasting value or challenge to it. It's just a feature to list on the packaging.

Simply put, there could have been more thought and care put into this 'special' feature, just like there could have been more thought and care put into this muddled film. negative negative +Why Lori Petty was cast as tank girl, I'll never know. Her acting performance is lack-luster. Her voice is grating. It's almost impossible for me to put into words how bad this movie is.

There are several 'modern-pop' references in the film, which I found to be very strange, given that the movie was supposed to take place far in the future. It wouldn't have been hard to make this premise interesting either. Some better writing would have helped loads.

Naomi Watts makes an appearance in it as a mild mannered techno-geek. I think they should have probably switched roles.

I'll never know why anyone would like this movie, unless they were a Petty fan.

Try not to see this movie. Total waste of time. negative negative +No spoilers here but I have been a fan since Waking the Dead started but the last series, of which only 3 have been on so far is awful. The stories bear no resemblance to the original idea of the series. I found these 3 in the last series jaw droppingly ludicrous. As a BBC licence payer, after the show I rang BBC complaints to pass on my disappointment. I'm amazed that actors of the calibre of Trevor Eve and Sue Johnstone didn't object to the story lines. These actors have been with these characters for 8 seasons, surly they can see it's lost all direction. It's a good job it is the last series or the next series may start with the team investigating the death of Father Christmas!

Paul Bentley, West Yorkshire, England. negative negative +I feel totally ripped off. Someone needs to refund the $4.95 I spent at Blockbuster to rent this homemade mess. This is NOT a musical it is a complete waste of time and my evening. What I don't get is why did this get distributed in the first place???...somebody MUST have been doing some heavy drugs the night that deal was made. I've seen better films come out of film schools and I have been to film school so I can say that as a fact. The quality of this work is also just SO VERY bad to view...shot on DV??? Nuff said. The songs are not songs but just banter that sounds the same in every section. Want to see a good musical? THEN DON'T RENT THIS MOVIE. negative negative +What was the aim here...I started to have a look at it but then I realized that it had no aim...poor acting...no action and no story..i ended up listening to it while i was surfing the web reading about David Beckham's $250 million dollar US soccer Galaxy contract. Do not rent this Don't borrow this NOT WORTH A DOWN LOAD i've seen so many films that I could sense that this was going to be crap from the get go.

War films should be accurate and if possible have some artistic merit and actually not feel like Christian melodrama...This film pales in comparison to any that i've seen before.I must say that Iam truly disappointed at this film.. negative negative +The daytime TV of films. Seldom have I felt so little attachment to characters. Seldom have I been made to cringe by such dire dialogue. Nauseous London thirty-somethings mincing round lurid BBC sets spouting platitudinous mulch. Avoid this film as if it were your grandmother's clunge. negative negative +This pathetic excuse for a movie doesn't have a decent structure or a sensible closure. The characters were confusing and the entire plot kept getting off track. I'd have to say that Pixel Perfect was a disgrace. This is what happens when you let Disney channel make movies. negative negative +'A scientist discovers signals from space that appear to carry information concerning a series of seemingly unrelated natural disasters, occurring across the globe. Hoping to discover the source of these signals and who's behind them, the scientist and his wife set out on a trek to locate the intended recipient of the signals. What the couple eventually discovers is a small remote convent with occupants who are not really who they appear to be,' according to the DVD sleeve's synopsis.

Kirk Scott (as Andrew Boran) is the scientist who intercepts alien messages on his computer. He suspects a series of 'Large Earth Disruptions' may be connected to the weird space static. Mr. Scott and pretty blonde wife Sue Lyon (as Sylvia Boran) investigate the mysterious signals from outer space. They discover priestly, but creepy Christopher Lee (as 'Father Pergado'), and other silliness. Given that, 'End of the World' is remarkably dull.

*** End of the World (1977) John Hayes ~ Kirk Scott, Sue Lyon, Christopher Lee negative negative +The movie confuses religious ethics and ideals so much that it fails to create coherent argument against the death penalty on any level. By presenting the lawful execution of a convicted murder as the catalyst for the apocalyptic end of mankind the movie elevates a parent killer to the status of martyr for Christ. Somehow, according to the plot, god is outraged that society has chosen to rid it's self of a fanatic who killed his own parents by starting them on fire while they slept defenselessly in their beds. Yet this same god has no indignation for the acts of the killer. The lead character, an nonreligious pregnant suicidal woman, ultimately gives her own life in a defiant but implausible attempt to unsuccessfully save this convicted killer. In other threads of the underdeveloped plot Jesus comes back as a powerless and frustrated vagabond to symbolically unleash the wrath of God. The modern lackluster incarnation of Christ not just dehumanizes him but mocks the messianic ideal of all religions as well. He is unable to affect humanity for good and unemotionally skates the edges of life waiting for mankind to destroy it's self. Meanwhile, with little help from Jesus the mentally unstable pregnant woman finds herself with the ability to reincarnate herself into her newly born soulless child which somehow saves all of mankind from the wrath of the almighty. I also interpreted that as a statement in support of abortion on some levels. This movie which attempts to weave many religious themes into a thriller fails to make any religious point that I could clearly interpret except to mock people's beliefs. It raises many questions that it never even attempts to answer. It disregards the religious values of its audience while attempting to portray an asinine version of their fulfillment. Silly negative negative +I am definitely a Burt Reynolds fan, but sorry, this one really stinks. Most of the dialogue is laughable and the only interesting plot twist is in the last five minutes of the movie. I can't believe he even made this one. Is he actually that hard up for money? negative negative +Watching this movie was a waste of time. I was tempted to leave in the middle of the movie, but I resisted. I don't know what Ridley Scott intended, but I learned that in the army, women get as stupid as men. They learn to spit, to insult and to fight in combat, and that's also a waste of time (in my opinion). And, anyway, what the hell was that final scene in Lybia? Are they still fighting Gadafi or is it that it's easy for everyone to believe islamic people are always a danger? negative negative +What can I say??? This movie was so Dumb & Stupid I thought it was a Psychotic DRAG Comedy - They should rename it 'Bitching Pregnant Cat Fight!' What a stupid waste of time , if you want to see(DIE DIE!!! 'I WANT YOUR BABY DRAG QUEEN) Jennifer Tilly being her Freaky self then just rent out one Of the 'Chucky' movie, oh ya , 'The Bride Of Chucky.' It's more fun watching the Two Ugly Plastic dolls (one of them Jennifer Tilly turned into the UGLY Female version of Chucky) having Squeaky plastic rubber sex then watching Daryl Hannah being pregnant , Dumb & stupid; & Jennifer Tilly Grinding up her Husbang in a Food Processor reminded me of my Mother trying to do House Work! OK it's just BAD!!! negative negative +I was looking forward to this movie. I like road trip thrillers. I like sex, drugs, youth, action and a great sound track. And I was especially interested in taking the movie trip across Europe to see if I recognized any of my own travel spots.

From the first scene, however, this movie was unwatchable. What was Guy doing driving on the wrong side of the road? What could possibly have blown up the van that rolled gracefully down a shallow grassy incline? If they're such bad drivers, why would they take a delivery job? And that's just the first scene! Not even bad enough to be campy or silly. Just Horrible! Horrible! Horrible! Waste of time. Move on to something... anything else! negative negative +I gave 1 to this film. I can't understand how Ettore Scola,one of the greater directors of Italian cinema, made a film like this, so stupid and ridiculous! All the stories of the people involved in the movie are unsubstantial,boring and not interesting. Too long,too boring. The only things I save in this movie are Giancarlo Giannini and Vittorio Gasmann. Hope that Scola will change radically themes and style in his next film. negative negative +In 1967, mine workers find the remnants of an ancient vanished civilization named Abkani that believe there are the worlds of light and darkness. When they opened the gate between these worlds ten thousand years ago, something evil slipped through before the gate was closed. Twenty-two years ago, the Government Paranormal Research Agency Bureau 713 was directed by Professor Lionel Hudgens (Matthew Walker), who performed experiments with orphan children. On the present days, one of these children is the paranormal investigator Edward Carnby (Christian Slater), who has just gotten an Abkani artifact in South America, and is chased by a man with abilities. When an old friend of foster house disappears in the middle of the night, he discloses that demons are coming back to Earth. With the support of the anthropologist Aline Cedrac (Tara Reid) and the leader of the Bureau 713, Cmdr. Richard Burke (Stephen Dorff), and his squad, they battle against the evil creatures.

In spite of having a charismatic good cast, leaded by Christian Slater, Tara Reid and Stephen Dorff, 'Alone in the Dark' never works and is a complete mess, without development of characters or plot. The reason may be explained by the 'brilliant' interview of director Uwe Boll in the Extras of the DVD, where he says that 'videogames are the bestsellers of the younger generations that are not driven by books anymore'. Further, his target audience would be people aged between twelve and twenty-five years old. Sorry, but I find both assertions disrespectful with the younger generations. I have a daughter and a son, and I know many of their friends and they are not that type of stupid stereotype the director says. Further, IMDb provides excellent statistics to show that Mr. Uwe Boll is absolutely wrong. My vote is three.

Title (Brazil): 'Alone in the Dark – O Despertar do Mal' ('Alone in the Dark – The Awakening of the Evil') negative negative +I don't understand how some people can stand playing 'Half-Life: Counter-Strike' when there are so many better first-person shooting games available.

'Counter-Strike' is a game that doesn't use any imaginative ideas in its weaponry. All the weapons in the game are real-life weapons, but there could have been at least a cheat that allowed players to have access to a 'supernatural' weapon, like the all-powerful BFG in the Quake & Doom games.

Another problem is that the player actually has to reload the weapon manually. This can become extremely annoying, especially while in the middle of a firefight when you are so close to killing the enemy. The reloading delay also gives the feeling that the gun is slow at performing its task.

There are not many choices of characters to choose from. If I remember correctly, there are 4 types of characters each for the Terrorist and Counter-Terrorist forces. This means that many of the characters look the same as each other, which really brings down the game's realism.

The game is pretty sexist when it comes to character selections. In the early version of Counter-Strike, there was a woman available to choose (in the Terrorist force selection) which was good for the female gamers. In the latest versions, however, the female character was deleted and replaced with another male character. I wonder if the women who played the game were disappointed at the newer versions.

Finally, the maps in the game are very small. The biggest map seems to be the desert map, but it has standard detail. In fact, all the maps in the game have standard graphics. In other words, nothing new.

To sum up, I think 'Half-Life: Counter-Strike' is the most un-imaginative first-person shooting game of all time. There are plenty of better & more imaginative shooting games to play, so why waste your time on this boring game? You're better off playing the Unreal Tournament, Quake, and Doom games. Avoid this over-rated & over-hyped game.

I give the game a 1/10. negative negative +It has very bad acting. Bad story lines. Bad characters. You should never see this show If you see it on. TURN IT OFF. Or you be cringing for the next 30 minutes. It should have never been aired. It's not great. You should never see it. NEVER EVER EVER. So now, if you ever wanna watch this show, please don't. Turn to the THE CW for Smallville. Or Disney Channel for Hannah Montana, Wizards Of Waverly Place, or Nick for Drake & Josh, Those are much better family shows. So believe me on this, I've watched it before. and It is honestly, and I say Honestly, the worst show I've ever seen, and I've seen a lot of TV. So do me a favor, and never watch this show. negative negative +I caught this on HBO under its category of 'Guilty Pleasures', and I would agree that I felt guilty (and pleasured) watching it. One, it's trash, and really raunchy trash. Two, the plot is slow and predictable and once you learn 'who did it', you think, 'So what?'. However, I must admit to being enough of a male chauvinist pig to want to sit through what is obviously a poor movie, if for no other reason than to see Peta Wilson get completely naked a number of times. Do I feel dirty for having watched it? Yes. Am I sorry I watched it? No. So, there's the contradiction between being a lover of good movies and a lover of the female anatomy, even when in a poor movie. Sigh! negative negative +My first clue about how bad this was going to be was when the video case said it was from the people who brought us Blair Witch Project which was a masterpiece in comparison to this piece of garbage. The acting was on the caliber of a 6th grade production of Oklahoma and the plot, such as there was, is predictable, boring and inane. 85% of the script is four letter words and innumerable variations on them. Mother F seems to be the 'writer's' favorite because it is used constantly. It must have taken all of 10 minutes to write this script in some dive at last call. Thank God I rented it and could jump through most of it on fast forward. Don't waste your time or money with this. negative negative +'The Domino Principle' is, without question, one of the worst thrillers ever made. Hardly any sense can be made of the convoluted plot and by the halfway point you'll want to throw your arms up in frustration and scream 'I give up!!!'

How Gene Hackman and director Stanley Kramer ever got involved in this mess must only be summed up by their paychecks.

I hope they spent their money well. negative negative +I'm trying to picture the pitch for Dark Angel. 'I'm thinking Matrix, I'm thinking Bladerunner, I'm thinking that chick that plays Faith in Angel, wearing shiny black leather - or some chick just like her, leave that one with us. Only - get this! - we'll do it without any plot, dialogue, character, decent action or budget, just some loud bangs and a hot chick in shiny black leather straddling a big throbbing bike. Fanboys dig loud bangs and hot chicks in shiny black leather straddling big throbbing bikes, right?'

Flashy, shallow, dreary, formulaic, passionless, tedious, dull, dumb, humourless, desultory, barely competent. Live action anime without any action, or indeed any life. SF just the way Joe Fanboy likes it, in fact. :( negative negative +I question the motive of the creators of this fictional account of the BTK killer's motives. Are they attempting to portray animal rights activists as sick monsters? Who is responsible for this? Don't they think the people involved with this monster are hurting enough? What a blatant disrespect and exploitation of the victims! It was like a personality experiment: What disturbs you more, the slaughterhouse or the human murders? They used actual names of some of the victims....this movie was hideous, disrespectful and insulting! The creators of this movie used this tragedy for their own agenda! People need to awaken and redraw the line! negative negative +Any movie that portrays the hard-working responsible husband as the person who has to change because of bored, cheating wife is an obvious result of 8 years of the Clinton era.

It's little wonder that this movie was written by a woman. negative negative +I saw it on video. Predictable, horrid acting, film flubs. What more can be said, this movie sucks. The actors are annoying to say the least. This was suppose to be a comedy, but there was only one funny moment, other than that is was painful to watch for me.

1 out of 10. PASS! negative negative +Warning: Avoid this super duper awful movie...if you watched it you will be SOOOOOOOOO disappointed.

Pam and Denise are grandma age now what are they doing? Trying SO HARD to be young innocent and sexy, just not working AT ALL. Pam and Denise act so horribly in this movie.

Plus The script is absolutely atrocious, I can't believe someone can came out with such crappy ideas. With the development of movie industry, movie lovers are not as easy to satisfy as the ones in the last century. I bet the movie goers from last century will hate this too.

Stay away from it. I think watch 'White Chicks' from 2004 it's so much better that this...make no mistake at that time I thought that's the worst movie I have ever seen. negative negative +The movie is basically a boring string of appalling clichés which do not offer a real cross-cultural insight. The Middle Eastern leg of the journey is described in a particularly irritating way: there obviously are mud brick villages, dirt tracks in the middle of the desert, women clad in black robes and belly dancers. I wonder how camels and date palm trees were missing from the whole picture. The personality of the two main characters is very clumsily sketched and many situations are hardly credible.

The original idea might have been interesting, but at the end of the day if you are looking for cultural insight, you should skip this movie. negative negative +This film was released soon after the Conan films, a sort of female Conan, Red Sonja played by Sylvester Stallones ex-wife Brigitte Nielsen. She's not a very good actress unfortunately as proved in Rocky IV and Cobra. The whole film feels cheap, but strangely Arnold Swarzenegger appears in this film but not as Conan, although he looks, acts and fights like Conan from the two Conan films, I don't know what thats about. Anyway he only appears about every twenty minutes and doesn't hang around for long. Maybe Arnold filmed this in his time off from filming Conan the Destroyer or something? Anyway the film is way to slow and boring for an action film, skip this and watch Conan the Barbarian instead. negative negative +This movie was awful in the worst way: you just didn't care. You didn't care what happened in the plot; you didn't care about the characters. Everyone was devoid of heart. I ended up walking out about an 45 minutes into it because I simply didn't want to subject my mind to it any more. There is far too much sex in the film. Sex can be okay; it can even make the movie (hence Karma Sutra) but the intercourse here was not beautiful or sexy. It was just ugly. Don't see this film. negative negative +Annie Potts is the only highlight in this truly dull film. Mark Hamill plays a teenager who is really really really upset that someone stole the Corvette he and his classmates turned into a hotrod (quite possibly the ugliest looking car to be featured in a movie), and heads off to Las Vegas with Annie to track down the evil genius who has stolen his pride and joy.

I would have plucked out my eyes after watching this if it wasn't for the fun of watching Annie Potts in a very early role, and it's too bad for Hamill that he didn't take a few acting lessons from her. Danny Bonaduce also makes a goofy cameo. negative negative +This film seemed way too long even at only 75 minutes. The problem with jungle horror films is that there is always way too much footage of people walking (through the jungle, up a rocky cliff, near a river or lake) to pad out the running time. The film is worth seeing for the laughable and naked native zombie with big bulging, bloody eyes which is always accompanied on the soundtrack with heavy breathing and lots of reverb. Eurotrash fans will be plenty entertained by the bad English dubbing, gratuitous female flesh and very silly makeup jobs on the monster and native extras. For a zombie/cannibal flick this was pretty light on the gore but then I probably didn't see an uncut version. negative negative +While being a great James Arness western, this film has gone down as the worst Alamo film ever made. The story was terrible, inaccuracy all through it, and just downright untruths to boot! Continuity was cast to the four winds. Anybody catch the cannon sequence? The Mexicans were dumb enough to fire cannons that obviously had mud and ramrods still sticking out of the tubes. Come on! Then there is Brian Keith's ridiculous hat! Costumer must of been away or something. Or just out of their mind! negative negative +First of all, I have to say I have worked for blockbuster and have seen quite a few movies to the point its tough for me to find something I haven't seen. Taking this into account, I want everyone to know that this movie was by far the worst film ever made, it made me pine for Gigli, My Boss's Daughter, and any other piece of junk you've ever seen. BeLyt must be out of his mind, I've only found one person who liked it and even they couldn't tell me what the movie was about. If you are able to decipher this movie and are able to tell me what it was about you have to either be the writer or a fortune teller because there's any other way a person could figure this crap out.

FOR THE LOVE OF G-D STAY AWAY! negative negative +This is the worst, and I mean THE worst computers based movie I have ever seen. The whole plot is totally unconvincing and full of stupidity.

I mean...

The guy in this movie can actually speak with computer as a real person. Now you probably think this must be some super cool high-tech computer, well , it is, but he does it also with other very poor and weak computer which does not even have graphic interface.

and the main idea how to overload the 'super' computer by connecting to it via computer game on the net is really stupid. My mobile phone will shut the lighting down to preserve the energy but apparently this genius computer cant decide whether to use its resources to deal with national security threats or to load computer games.

there are also some other bad things about it but I just don't have time for this.

I just cant believe someone could actually record movie stupid as this negative negative +this movie scared the hell out of me for no good reason. the eerie music was well written but other than that, its a complete waste of time, and it REALLY disturbed me.... I'm not really sure why either.... if you just want to see a bad 'B' horror movie, i guess you could give it a shot, but only as a last resort negative negative +Years ago, I used to watch bad movies deliberately. Somehow I missed this one. No gesture rings true. No facial expression fits the scene or the action. I've never heard such inappropriate music for a film. At the final scene, I was rooting for the car to run over that ridiculous kid - one of the worst child actors ever.

Only one name in it I ever heard of - Wilford Brimley. He must've been very hungry to take this part.

DO NOT UNDER ANY CIRCUMSTANCES, WATCH THIS MOVIE!!! YOU'VE BEEN WARNED!!! negative negative +You already know how painful to watch this movie is. But I wonder why one of the worst movies ever should include one the most beautiful cars. Why the cars should be not only the victim of violation, but also the only true actors and performers in it. So how on Earth you Porsche, Lamborghini or whatever could allow those people to get in touch with your cars and ruin you reputation for which you give millions.Stop the getting an advantage of the cars and earn money on their chests. It is painful for those who love cars. It is painful for those who love movies.

I want my money back !!! negative negative +Swoon focuses on Leopold and Loeb's homosexual relationship - a facet of the case that has been mostly (and unjustly) ignored since their trial, even by Leopold himself in his autobiography. But, even in its treatment of this Swoon over does it by far. Worse, it twists, combines, and straight out alters the details of the case which will irritate anyone who knows much about it while at the same time managing to confuse those who are not familiar with it. While it is an interestingly made film, Swoon stinks.

1 out of 10 - awful. negative negative +I had a hard time staying awake for the two hour opening episode. It was dumbed down to such an extent, I doubt if I learned a single thing. The graphics were rudimentary. Any small idea was repeated ad nauseum. Contrast this to the Cosmos series hosted by Carl Sagan. That had a good musical theme. There was NO music coming from these infernal 10-dimensional Strings. negative negative +A shaky hand-held camera was used, presumably to give the film a documentary look, but the effect was so exaggerated that I started to get motion-sickness just from watching it. It looked like someone with cerebral palsy was holding the camera (no offense meant to CP sufferers, but I don't think you would expect to get much work as a cinematographer!) The camera work was so nauseating, and so distracting, that my wife and I considered it unwatchable and gave up on it after 10 minutes of torture. I checked back a while later (it was showing on TV), and it hadn't gotten any better. I suggest giving this one a miss unless you need to get rid of any bad sushi you may have eaten! negative negative +I've written at least a half dozen scathing reviews of this abysmal little flick and none get published, so I must opine that someone at imdb.com really likes this awful movie. The idea that a bunch of oilmen can resurrect a military tank that has set in the desert for over a decade, and make a fighting machine of it again is ludicrous. So is the acting and direction. Pass on it. negative negative +I say this. If you want to see art, you go to an art gallery. If you want to see a movie, you go to a theater. Trying to intertwine art and film proves disastrous in 'Where the Heart Is'. An interesting cast is totally wasted in this embarrassment. You like Dabney Coleman, see 'Short Time'. You like Crispin Glover, see 'Bartleby'. You like Uma Thurman, see 'Kill Bill'. Above all, if you like Christopher Plummer, see 'The Silent Partner', because his character here, is a terrible embarrassment. In fact this entire production is an embarrassment. Sure the human artwork is intriguing for a few minutes, so make a short, but do not subject an audience to pointless nonsense, masquerading as filmed entertainment. - MERK negative negative +Maybe James P. Lay knows what do to in the sound department if a director supervises him.

In 'Dreamland (2007)' however, he cannot accomplish anything as a writer or as a director.

There is absolutely nothing in this film, no story, no character building, no events, no atmosphere, no plot, no twists, no acting that deserves that name.

In any of those departments this movie is billions of light years behind any short film that has some actual thinking in it, even a one minute one.

It has nothing to do with any of David Lynch's works!

I actually think it could be used as mental torture or as negative propaganda material against the West.

Recommend it only to your worst enemies! negative negative +Low budget horror about an evil force. Hard to believe in this day and age, but way back when this stuff actually used to get theatrical release! These days this sort of thing would either go direct-to-video or straight to cable. Shouldn't be too hard to avoid this one; who's ever heard of it? negative negative +Hearing such praise about this play, I decided to watch it when I stumbled across it on cable. I don't see how this 'elivates' women and their 'struggles' by focusing on the topic at hand. I guess if you have an interest in stories about women's private parts and how it affects their lives, then this is for you. Otherwise, it's rather dull and boring. If anything, I found it a bit degrading.

I inquired with a female friend who also watched this and she thought it was horrible as well. So, it's not just a guy 'not getting it'. negative negative +I was living in Barstow Ca. in 1968 when the movie The Killers Three arrived at the local theater. The trailer was enough to get me to pay my hard earned money to see this movie. I was really expecting a Bonnie And Clyde movie and I got Dick Clark playing a shy nerdy guy while Robert Walker and Diane Varsi played an poor attempt of reinacting Bonnie and Clyde. Needless to say it never went over well. Maybe this is why it never made it to video. Even as a kid I was left some what ripped off as I left the theater. After all the best parts where in the trailer of the movie. The movie was dull and pretty much pointless. By the way, Dick Clark gets killed so it wasn't a total let down. negative negative +I believe in keeping religion out of government and out of the movies. When I want a sermon, I'll go to church, but I don't want one from a movie. I don't mind some supernatural themes, (after all, religion is about as supernatural as you can get!) but this movie had so much preaching in it that I was really annoyed. The landlady reminded me of witches that of seen in other movies. The bad guy even looked like he had horns.

And what a silly ending: the hero went into the meeting and yelled at all of those old men, and that broke the spell. If only life were that simple. I think that when movies are that stupid, they ought to be distributed with a warning: DANGER! PREACHING CONTAINED HEREIN! negative negative +Weaker entry in the Bulldog Drummond series, with John Howard in the role. Usual funny banter and antics, but not much plot. Barrymore gets something to do as the inspector, swapping disguises to follow Drummond, Algy, and Tenny on a wild goose chase (mostly in circles; perhaps the budget was tighter than usual) to rescue poor Phyllis, who is being held captive by people who want to lure Drummond to his doom. For those keeping score, in this one, Drummond is planning to ask Phyllis to marry him and Algy is worried about missing the baby's christening. It's fun to see Algy and Tenny dressed up as fisherman to blend in at The Angler's Rest, but little of it rises above silly. negative negative +Stupid! Stupid! Stupid! I can not stand Ben stiller anymore. How this man is allowed to still make movies is beyond me. I can't understand how this happens if I performed at work the way he acts in a movie I'd get fired and I own the company.....I would have to fire myself. GOD! This movie was just a plain, steaming, stinking pile of POO, that needs to be vapoorized if that were possible. Something else I have to say the guideline about 10 lines of text in a comment is idiotic. What is wrong with just saying a few things about a movie? I will never understand why sites will require a short novel written when sometimes a brief comment is all that is necessary. negative negative +This movie is terrible but it has some good effects. negative negative +A cannibalistic backwoods killer is on the prowl and two bickering couples might be his next source of protein in this bargain basement Friday the 13th-clone cheapie. There s literally nothing of interest to see in this one, the killings are surprisingly sparse and when they do happen, completely amateurish. It also adds ghosts into the mix for no reason what so ever. I felt drained after watching it as if my brain was liquefying and draining out my nose. And it remains without a doubt Donald Jones' worst movie. If you're thinking of renting it because of Code Red's snazzy new DVD re-release Don't bother

My Grade: F negative negative +I love Julian Sands and will at least attempt to watch anything he's in, but this movie nearly did me in. I'm hard pressed to remember when I found any other movie to move....so......slow.........ly.....zzzzzzzzzzzz

Pop it in the VCR when you've run out of sleeping pills. negative negative +2 deathly unfunny girls stays a their deathly unfunny Uncle Benny's beach house. Uncle Beeny doesn't like party. But guess what? the deathly unfunny girls have a, yup you guessed it, a deathly unfunny beach party. If you didn't catch the not so subliminal message that I'm trying to convey. First off, you're a moron. I would rather watch a nude jello tag team watching match between Bea Aurther and Cameryn Manhiem VS. Rosie O'Donnell and Jessica Tandy. This movie, and I lose the term loosely is just THAT bad.

My Grade: F

Eye Candy: Kristin Novak and Charity Rahmer go topless, Iva Singer shows breasts and buns negative negative +(Synopsis) In the year 2055, the rich are able to travel back in time and hunt a live dinosaur for a huge price. Sonia Rand (Catherine McCormack) has developed a machine that can take people back in time. Charles Hatton (Ben Kingsley) has taken this technology and opened a business know as Time Safari. Anyone with the money can travel back millions of years and shoot a dinosaur. Dr. Travis Ryer (Edward Burns) leads his team together with the big game hunter on a floating walkway to a spot where they can kill the dinosaur. The trip protocol is that they must stay on the walkway and not disturb the land or anything creature around them. Unfortunately for the human race, one hunter steps on and kills a butterfly. This insignificant act causes major impacts to the earth's climate and creates new species of animal life. The course of evolution as we know it is now being changed by time waves. Travis and Sonia try to stop the changing process before it becomes permanent, and man becomes extinct.

(Comment) The movie was a little slow and the concept of going back in time and changing things was a little overdone. The death of a single butterfly causing the tremendous changes in the world's atmosphere and evolution is simply ridiculous. They changed the skyline of Chicago to look modern, but the new cars of the future were silly looking. You can wait to see this fantasy on DVD. (Warner Brothers Pictures, Run time 1:43, Rated PG-13)(4/10) negative negative +I usually seek to find good in movies, even the bad ones.Unfortunately this movie is one where I fail miserably-and the fact that there's barely one positive review on this board shows many IMDb reviewers share my pain.

I don't usually watch sequels but I just had to see this since I love 'Rosemary's Baby' so much. What a mistake that was. It simply reaffirms my belief in the fact that most sequels are lousy-though thankfully, very few are as bad as this. In fact in my mind this isn't even really a sequel, it's a satire on how bad a sequel can be. Movie recommended very highly for not viewing-at any time-ever. negative negative +Beginning with its long opening shot of seemingly endless rows of assembly line workers in a Chinese factory, Manufactured Landscapes attempts to show the devastating impact of industrialization on the natural environment and traditional societies. Its droning narrative assumes that industrial development in China and elsewhere is entirely unprecedented, as if there had never been an industrial revolution in Europe and America and Karl Marx had never visited the British Museum. That there might be a connection between the present-day Asian drive for industrialization and wealth and earlier experiences of starvation and terror is never mentioned.

At the same time, there's an effort to present Edward Burtynsky's photographs of industrial waste as somehow 'beautiful'. Much of the film is a slide show of these images. They are well produced, of museum size, and have apparently appeared in several exhibitions. To me, however, they only demonstrate that almost any photograph can be made to appear beautiful if well presented. Industrial waste is still industrial waste. The relationship, if any, between the photographs and the film's spoken message remains unclear.

I don't mean to imply that there aren't real and sometimes desperate problems when countries rush to industrialize. Manufactured Landscapes, however, offers only strange and bitter hopelessness. It's like a two-hour lecture by Noam Chomsky. Maybe it has some value as a demonstration of what's wrong with the American (and Canadian) Left. negative negative +I stole this movie when I was a freshmen in college. I've tried to watch it three times, the second two because friends wanted to see it. 'Sweet, Adam Sandler, I've never heard of this movie, but since he's so funny its gotta be funny.' Wrong! I can't make myself watch this pile of crap after the dream boxing match/insult war, where burning the guy with a good zinger causes your opponent physical pain. You would think that terrible comedy hurting you is ridiculous, but after watching this you'll know its true. This movie isn't worth the price I paid for it. I've watched a ton of Steven segal movies, and I've even watched Crossroads twice... but I still couldn't watch this. negative negative +It is hard to make an unbiased judgment on a film like this that had such an impact on me at such a young age. This is with out a doubt the worst kind of exploitation film. I was unfortunate enough to see this film for the first time in my youth, Iwill never forget it. I thought it was the most horrible movie ever made. I then saw it again earlier this year and was once again horrified.

I am not a zealot or one to say what others should and should not see but I did take great offense to the way in which something as horrible as rape was dealt with in this movie. I love lowbrow cinema but this is just plain nasty. Rent some Rus Myer instead. negative negative +Please do not blame Korea for this bad movie. I am in Korea (please excuse bad English). It sadden me to see these movies which make Korea look like obsessed with blood and sex. It sadden me even more to see animal killings and hear Americans say that is how Korea is. We do not eat live animals!! So please stop excusing movie for its crime by saying it is the culture! There is scenes with the man eating live animals and non Koreans think it is normal. No it is disgusting to us too. The director is a misfit, sick individual who has obsession with killing and sex with family members. I wish America and France will stop glorifying this bad man who is laughable in his own country. Please watch ANY OTHER movie from Korea, that will give you ideas of how artistic we really are. This movie is rubbish. negative negative +OK look this show is the worst show on nick@ night. I love so many shows on nick@night and I love them. When this show came on to nick@night I was so annoyed. It's such a boring show and it is corny. Out of all the times I've watched I found one episode slightly funny. This show has some of the most unfunny and stupid jokes ever. This show sums up to terrible. Give props to Fresh Prince of Bel-air and George Lopez. This show is boring and not the least bit clever. This show should have been canceled much earlier. I don't think it deserves to be played on nick@night alongside some great classic shows. This show is lacking cleverness, good jokes, and style. negative negative +'Scary Movie 2' is a let down to the Scary Movie Franchise. Scary Movie 1, 3 and 4 were all good but this one was kind of boring and not very funny. Luckily they picked their act up after this one and made two more great Scary Movies.

This film is about a group of teens who get tricked by their Professor into going to a haunted mansion for a night. Things start to go wrong and then they realize they have to escape.

This movie isn't horrible but they could have improved quite a few things. It is a bit of fun and if you liked the other movies in the Scary Movie franchise then give this a watch - but I don't think you will like it nearly as much. negative negative +Even if you could get past the idea that these boring characters personally witnessed every Significant Moment of the 1960s (ok, so Katie didn't join the Manson Family, and nobody died at Altamont), this movie was still unbelievably awful. I got the impression that the 'writers' just locked themselves in a room and watched 'Forrest Gump,' 'The Wonder Years,' and Oliver Stone's 60s films over and over again and called it research. A Canadian television critic called the conclusion of the first episode 'head spinning'. He was right. negative negative +From the Star of 'MITCHELL', From the director of 'Joysticks' and 'Angel's Revenge'!!! These are taglines that would normally keep me from seeing this movie. And the worst part is that all the above mentioned statements are true!!! Ugghhh... Joe Don Baker eats every other five minutes in this film. It's like a bad remake of 'Coogan's Bluff' negative negative +Worst DCOM I have seen. Ever. Well, maybe not as bad as Smart House. This was just bad. The acting and story was fine, but the effects SUCKED!

They were so fake! The only good fight scene was between the brother and Shen. That was probably the only scene in which I was excited.

Overall, I found this movie very boring and the film kind of ended suddenly.

I will give it a four for Brenda Song who is a very funny actress and that one fight scene.

4/10 negative negative +Watching this Movie? l thought to myself, what a lot of garbage. These girls must have rocks for brains for even agreeing to be part of it. Waste of time watching it, faint heavens l only hired it. The acting was below standard and story was unbearable. Anyone contemplating watching this film, please save your money. The film has no credit at all. l am a real film buff and this is worse than 'Attack of the Green Tomatoes'.

l only hope that this piece of trash didn't cost too much to make. Money would have been better spent on the homeless people of the world. l only hope there isn't a sequel in the pipeline. negative negative +Fear and Desire is of interest mainly to Kubrick obsessives, who can plumb this pretentious clap trap for signs of his still-to-come greatness. Kubrick was right in seeking to ensure that the film was not screened or available on legitimate video. He considered it embarrassing and amateurish, and he was correct in his evaluation. This is a weak and tedious film--at 68 minutes it still seems longer than 'Barry Lyndon'!--it nevertheless is of historical interest, and has its genuine absorbing moments. It's a difficult film to find (only 'unofficial' copies are in circulation), though perhaps this may change if Kubrick's estate relents and has it released on video. Recommended only for Kubrick enthusiasts. negative negative +I've seen about 820 movies released between 1931-39, and THE INFORMER is the worst major release I've seen from that time span. Awful, despicable, unpleasant, unhappy, unredeemable saga of a complete Loser. Watch a 1934 B Western instead. negative negative +I went to see this film based on the review by Siskel and Ebert; not only did I get duped, but I took some friends along, and had to spend the rest of the day profusely apologizing for making them sit through this pointless crap. After this, I never went to see a movie based solely on Siskel & Ebert's advice. negative negative +First of all. I do not look down on Americans. I know lots of people that are intelligent people from the USA. But this Movie is so utterly bad, that i just had to comment on it.

First of all...Movies are mostly far from the truth. This movie is no exception. Lots of scene's are so incredibly false. For example the departure of the 2 space ships. You see them drop off the full tanks in space. Just a small distance from each other. Remember what caused the space shuttle to explode in the past ? Just a tinsy winsy part that came off. In here it is just common to drop fuel tanks that are as big if not bigger then the whole ship. What idiot would let 2 spaceships lift up and do that at the same time ??? Second of it is that the Russian station is a piece of (s)crap. I hate to bring this up to you, but astronauts nowadays go to Russia. Since their equipment is much more reliable then NASA's. The Space Shuttle is retired. And NASA uses it just to pay off the bills. And there is no better alternative for it. And the list of whoppers goes on and on. This is truly an insult to people that do take space travel serious. And i know half as much as these guys do. But the most annoying part ( read: the whole movie ) is the Propaganda and patriot crap that u get choked with. MY GOD !!!! I thought i was looking at a CNN business commercial for like an hour. The actors solve their petty problems by shooting at each other, giving the middle finger to everyone they come face to face with, start up fights, ignore the police, etc, etc... But when it comes to their love for their country and sacrificing their lives, suddenly everyone stands in line to commit suicide for it ( bomb detonator ) ?? Maybe i lack the feeling of being a true 'Patriot', that can sing the national anthem backwards in Swahili. Whilst riding with George Bush behind the steering wheel of a golf cart, driving in circles until the battery is empty. But this movie was too much for me too handle. And when i finally got hold and pulled the flag pole and fabric of the American flag out of my hiney. I realised that i was glad this movie was finally done. I do not know why so much good actors participated in this narrow minded, stereotyping, propaganda movie. But i pity them. This represents a country where you can get away with murder if you have money or power. As long as 'Uncle Sam' thinks you are a good patriot. Where everyone is happy as long as it is another country that has been devastated, no one cares. negative negative +Lucille Ball cannot sing or act or dance. This makes the quality of her performance in MAME all the more dreadful. She's not allowed to do the low-brow slapstick that made her a hit on TV so she has to rely on building a character. Unfortunately, Ms. Ball never learned that skill as none of the tender moments have any warmth. How does she really feel about Patrick or Beau? We never really believe the words she says. That vacant stare of Ms. Ball is suppose to convince us she is emoting but there is no chemistry between her and Bruce Davidson, Robert Preston or Bea Arthur at all. For this reason every scene she's in is flat.

Moreover, when Ms. Ball opens her mouth to sing we are immediately made aware of the reason why the studios dubbed her voice for every other musical she starred in earlier in her career. It was stated that she demanded her voice be used so this is a mistake of ego as well as leadership. It is made worse when she is singing in voice-over and she has to 'act the moment' without words. Whoever thought that would work forgot who was playing Mame.

I understand that Rosalind Russell did the role on stage and in the film AUNTIE MAME. Also, I am aware that Angela Lansbury won a Tony for her performance in the original 1966 Broadway musical. Neither of these women were known for their singing voices, but both could have pulled this off better than Lucille Ball. Why they went with her is the worst in blatant miscasting.

The only person that gets out unscathed is Bea Arthur. She's big and wonderful, catty and common in all the right amounts. Unfortunately, you keep waiting for this movie to take off and invite you to join in on the fun. But the film never does and you can't. No one besides Bea Arthur appears to be having any fun.

An additional bad review goes to director Gene Saks. Saks is known as an award-winning director of musicals and comedies for stage and screen, including the Broadway musical this film is based on. None of that skill and expertise is of aid here. The poor editing and storytelling quailty in this movie is beneath a director of his caliber. That glaring error in the execution of the movie is not the fault of Ms. Ball. negative negative +This is the worst work ever of Daniel Day Lewis..... I can not believe that in the same year he made this awful movie and My left foot..... Please stay away from this movie....this is a movie only for Argentine people as a curiosity... The plot is impossible to understand...... The writer thinks that in Argentine all the people speaks in english... Of course the Patagonia bring a very good frame for the photo shooting of the film, but that is not enough reason to see this movie.... I repeat , only if you are very fan of Daniel Day Lewis, or if you want to see the south of Argentine, part of the Patagonia, and you do not have enough money to travel yourself....... negative negative +Love the TPB's but this was a lame episode. Didn't have the same feel that the series or the movie has. Looked like it was put together in a hurry. I didn't enjoy it at all. The so-called acting was awful. The cast appeared like they knew this was a money-grab of an episode to get to market quickly. I hope we don't have an easter special next because that will be it for me. The writing of this episode was definitely Mike Clattenburg's worst in the history of this show. The direction left a lot to be desired and I almost felt bad for the cast and crew of this weak attempt at a Christmas special. Like I said, I love the TPB's but this one goes to the trash bin. negative negative +

I still can't belive Louis Gossett Jr. agreed to appear in this film. Everything about this move feels artificial, forced, and contrived. The air sequences are flat. The enemy characters seem like puppets. This is just a poor excuse of a movie. At least Top Gun had air sequences that looked good (the external shots anyway). The songs by Queen are cool, though. Rent Midway instead. negative negative +This seemed really similar to the CHILD'S PLAY movies except so much worse. A lawyer tries to save a criminal, who was convicted of killing his son, from execution. She fails. The lawyer's daughter then finds a puppet that the killer had buried with his son and is immediately attached to it. Then after several people are seriously injured they find the little girl secretly talking to the doll saying that she didn't hurt anyone. Throughout this movie I found myself asking myself ' why am I watching this cheeze?' over and over. The end sucked so bad that I went and watched the Disney cartoon version right after and slept with the light on. negative negative +I didn't hate this movie as much as some on my all time black list, but I consider it a total wast of film. Jeremy Irons, Iron Jeremy, Ron Jeremy. Think about it. Scene one is very good, all the rest are crap. negative negative +Olivier Gruner stars as Jacques a foreign exchange college student who takes on and single handedly wipes out a Mexican street gang in this obnoxious and racist film which is so horrible that it's laughable. Bad acting, bad plot and bad fight choreography make Angel Town a Turkey. negative negative +Rita Hayworth plays a Brooklyn nightclub dancer named Rusty who specializes in cheesecake chorus revues; she manages to get herself on the cover of a national fashion magazine, but her impending success as a solo (with romantic offers all around) has smitten boss Gene Kelly chomping at the bit. Terribly tired piece of Technicolor cotton candy, with unmemorable musical sketches (the two worst of which are irrelevant flashbacks to the 1890s, with Hayworth portraying her own grandmother). Kelly, as always, dances well but acts with false sincerity; when he's serious, he's insufferable, and the rest of the time he's flying on adrenaline. The script is a lead weight, not even giving supporting players Phil Silvers and Eve Arden any good lines. *1/2 from **** negative negative +A disappointing end to a season that started so well ...

Exodus part 2 and other notable episodes were amongst the best seen on TV in any series, where as this was rather bad.

Well I am not sure if it was the episode that was a disappointment, but the cheesy guitar music at that accompanied the closing sequence was laughable and would have been more at home in the original series.

Its almost as if the corporate execs didn't like the low key down note ending and wanted to jazz it up. They failed and rather spoilt everything.

Lets hope this is not a trend for the future.

Still at least we saw the return of a certain person even if somewhat bizarrely and tritely done. negative negative +This is basically your run of the mill violent biker flick complete with nifty slangs, crashes, and music. OK, so just slangs and crashes. It's a slight notch above much of the other fare featured on MST3K but it's still the equivalent of driving a nail into your kneecap: slow and painful. To give away plot would exhaust my energy so I'll just say you're better off skipping this one. negative negative +Obnoxious Eva Longoria dies on her wedding day when an ice sculpture of an angel (without wings) falls on her off the back of a truck and kills her. She is then tries to ruin the relationship of her ex-boyfriend with his new girlfriend, a psychic who can see her.

Obvious unoriginal movie wouldn't be bad in a clichéd sort of way, except that Longoria's character is hateful and obnoxious that she drains all of the fun out of the film. Its like having your ears cleaned with sandpaper. To be fair Longoria, nor anyone else in the cast or crew, isn't the problem, its the god awful script that sinks the proceedings. Its just really really stupid. negative negative +*SOILER* It's fake! The whole thing is a fake! There is no ghosts or zombies, Alan is a Lord and his cousin or brother or half brother or something like that wants the castle and his title for himself. So he invests this overly complicated and needless pointless plan ala SCOOBY-DOO to drive Alan to commit suicide. Most of the movie is him picking up redheads and attacking them. He's not even killing them. He drops off to sleep and the girl vanishes and he thinks he buried them someplace. If he looked at the so-called ghost of Evelyn, he could tell she was wearing gloves! My God what a waste of time. Don't bother watching it, renting and if you bought it and haven't watched it yet, sell it. Quickly! Do yourself a favor and stay away from THE NIGHT EVELYN CAME OUT OF THE GRAVE. I give this stinker the CRAP-O-LANTERN. negative negative +Let's see, cardboard characters like Muslim terrorists have forced a cardboard scientist to perform some exotic drug tests on some cardboard people who have been drugged and kidnapped. You'll be sure to laugh when these pathetic excuses for humanoids get their just deserts! Turns out the drug experiments have given them the ability to sense another world....the world of religious fantasy!--complete with cardboard demons who look like they are made of Papier Mache. Everybody gets dragged off to Hell except for one poor chap who goes to Heaven where he can presumably spend Eternity with the blockheads that created this Masterpiece of the Absurd. I think I'd opt for Hellfire myself. Go see something else, unless you are stoned, in which case, you might actually like it! Couldn't hurt! negative negative +The banner says it all, this is one really bad movie, which is sad because I normally like Sheffer, and I have been impressed with Andrea Roth in other roles. This, however, is terrible. I wont waste any more time...its just that bad. negative negative +I was ready for a Crouching Tiger style movie and all I got was the worst movie i've seen in years. It was almost as bad as Baron Von Munchhuasen. Dead script. Dead acting. Dead everything.

Granted there was some good fight scenes but the positive side ends there. If this movie arrives in your house run screming to a phone and dial 911 and say, 'Please help there is a movie in my house meant to force people to commit suicide' negative negative +This barely watchable film was a bit of an ordeal to sit through. None of the segments are good, but at least the first one was mildly amusing, and the middle one was somewhat imaginative. The final one was just plain brutal, and after sitting through two weak comedic shorts, the third one was truly painful to watch. Even by the low standards of a National Lampoon movie, this one seemed especially boring and joyless. negative negative +...but a lousy film. As Maltin says this was Christopher Lee's attempt to make a serious horror film. Well, it is serious...TOO serious! The plot is silly and slow (something about old people inhabiting the bodies of young children to achieve immortality)...the film is all talk talk talk talk talk talk talk about the same things over and over again. I actually dozed off a few times! The film is sooooo dull! The cast sleepwalks through this with the sole exceptions of Peter Cushing and Lee...but this was probably a labor of love for both (they often complained about horror movies being too violent...well, this has NO violence!). Avoid at all costs...unless you have insomnia...this will put you to sleep! negative negative +I am quite sure that this was the worst movie ever made. If you can't make a 13 year old boy laugh at silly humor you should give up comedy forever. Unfortunately Joan Rivers chose differently. The movie is full of predictable gags (some of these are racist) and very unfunny jokes. Particularly memorable is the scene where the doctor tells the lead character that the rabbit has died and he is pregnant (as I write this, I cannot believe this was actually a movie scene). The man rushes to a dead rabbit on the doctors desk and tries to give it mouth to mouth. ROTFLMAO! NOT! The punch line that can tell you how bad things are in this movie is 'I knew I should have been on top.' ha ha ha ha ah ugh ........ negative negative +I have no idea why people are so crazy about the show. It is so boring. The jokes are not even close to what we usually say funny. It's like, Alex say something that is not funny nor interesting and then suddenly there's a laughing sound background. My friend and I just looked at each other with blank look as if we asked each other, 'What's so funny?!!'. Seriously, every time we watched that show, you wouldn't hear any laughing or coughing. Just a blank look. So we stop watching it. I am personally a fan of sitcoms, so I tried to watch the show. But the show us such a disappointment. This show might be one of the worst comedy sitcom ever... negative negative +'Utter Crap' pretty well sums up what this....'movie' was. I'd rather examine the colon of an African elephant with a penlight than sit through this again. I think I've wasted enough time watching this 'movie' - I don't need to waste more by commenting on it further...... negative negative +The evil bikie gang in this movie were called the Savages, hence the title, but Minor Nuisances would have been a better name for this sorry mob of weak actors trying to look dangerous. Whenever they wanted to kill someone, they generously rode their bikes very slowly so that their intended victim could easily avoid them or push them off their bikes. Their leader had a bad limp, but still thought he could take on the hero and win. As for Karen Black, she didn't seem to know where she was for most of the film. negative negative +May I please have my $13.00 back? I would have rather watched 'Hydro- Electric Power Comes to North America'. Again. This is a movie with one voice. The same voice, which comes out of every characters mouth regardless of age or gender. To listen to that voice again I would have to charge at least $150 an hour. And I don't take insurance. It was eerie watching Will Ferrell morph into Woody. But I don't think imaginative casting is enough. One should wait until they have a story before they bother making a movie. Unless he's just doing it for the money. And if that's the case why not just reissue an All-Rap version of 'What's up Tiger Lily?' negative negative +'Ripe' is one of those awful indies which manages to get into circulation and give indies a bad name. Telling a stupidly incongruous tale of pubescent twin sisters who crawl from a firey car crash which kills their parents and then hit the road while happily shoplifting, making goo-goo eyes at some guy, and ending up on an Army post so dilapidated no Army would want it (yeah, right!). An apparent attempt at a coming of age flick, 'Ripe' is an almost complete loser which wanders aimlessly as the players drift in and out of character finally ending clumsily with nary a shred of credibility to be found anywhere. Not recommended for anyone. negative negative +Think Jumanji but with a death curse. A bunch of surfer dudes get their hands on a game that takes the life of some one who is playing it. Supposedly it was made from the skin of a witch during the Spanish Inquisition and carries a nasty curse.

Okay, undemanding and just sort of watchable tale isn't anything you haven't seen before.Frankly its a been there and done that story that hits all the right buttons in such away as to have no real surprises. Far from the worst thing that SyFy has run but certainly its not the best. There are better choices out there but if this is your only choice you won't completely hate it. negative negative +This totally UNfunny movie is so over the top and pathetic and unrealistic that throughout the whole 90 minutes of utter torture I probably looked at my watch about 70000 times! Lucy Bell is so much higher than this crap and for her to sink this low is quite depressing. I have to admit that the whole audience I was in was laughing hysterically but the majority were Greek or Italian so I guess that this humour will probably make them laugh but not me. All this movie does is make you sick watching all these slackers make excuses for their stupid actions for 90 minutes. God, and I can never get that 90 minutes back! negative negative +An idiotic dentist finds out that his wife has been unfaithful. So, no new story lines here. However, the authors managed to create a stupid, disgusting film. If you enjoy watching kids vomiting, or seeing a dentist imagining that he is pulling all his wife's teeth out in a bloody horror-type, go see (or rent) the film. If not, move on to something else (MY FAIR LADY, anyone?) negative negative +Maybe I expected too much of this film, but at the very least a comedy should be funny, and this one has very few amusing moments. It manages to be insulting to homosexuals, heterosexuals, women, the obese, and probably several other groups as well. The scene at graduation where _everyone_ claims to be gay is one of the most distasteful I have ever seen.

Tom Selleck and Matt Dillon are ridiculously miscast and Kevin Kline seems bemused most of the time.

Other reviewers compare the film to 'Will and Grace', but at least 'Will and Grace' _is_ funny. negative negative +it's hard to tell the actors from the non-actors. Bad American movies can be spotted by all the youngsters prefacing every single line of dialog with 'You know what?' Bad Canadian movies can be spotted by all the youngsters ending every single line of dialog with 'Eh?' Have we learned nothing in a century of filmmaking? Cannot the entire weight of millions of wannabes descending on Hollywood with scripts and reels in hand rescue us from these horrible TV-movies-made-to-order? negative negative +---what happened to these unlikeable people. Alan Arkin was, as usual, unfunny and just walks through the role. The kids are all a mess. Mariesa Tomei probably wishes this role had never come her way. And what are Carl Reiner and Rita Moreno doing in this really bad, mean movie? If you enjoy watching losers wallow in their disfunction, and not try in any way to do better, this is your film. All others, take a walk, read a book, or see something else.

Jane negative negative +Even as a big fan of the low to no budget horror genre, I couldnt find this disaster mildly amusing. With horrible acting, a painfully generic 'plot' and no dimensional characters, no matter how bored and drunk you are, this one is not worth your 81 minutes. Don't make the same mistake I did. Rent something else. ANYTHING else!!! negative negative +William Hurt scuba diving scientist??? US agents running the investigation abroad? The sick contaminated man kicking butt after falling 20 feet on his back and running away? Sniper missing and not killing Hurt (just wounding him) but the second 'kill' shot is dead on ? Waste of time. To compare this to falling down as other reviewers did is ridiculous. Oh and by the end of the movie they decide to start wearing gloves on their hands except for the 'evil' agent and Hurt decides to kill him by giving him the 'virus handshake'. What? BTW...when did IMDb require 10 lines of text? I'm just babbling here. Doesn't this just dillute the content of reviews if you are required to have x amount of lines? negative negative +This showed up on a DVD a buddy of mine bought for me. They had it listed as 'The Savage Guns' which was an entirely different movie. Obviously the folks who packaged the DVD never bothered to look at what they were burning on the disk.

Anyway, this movie is about as bad as they come. The sound track is a combination TV Batman/Early James Bond/Spaghetti western. Lots of galloping around to this music. It appears that the guy has to gallop between scenes to burn up some time and give the sound track folks something to do.

English is dubbed over the Italian and it really shows. I wish it had been just a little bit worse and then it would have had some of the campy feel of the Ed Wood films. AS it is, it is just plain awful. negative negative +Having listened to and enjoyed Harvey Bernhard's Omen II commentary I was shocked to discover he was also behind this absolute piece of rubbish. It's like a really bad TV movie you might glimpse in the middle of the day when you have the flu and are too ill to reach the remote. I think at the bit where Michael Lerner is confronted by what I can only describe as a high school cast of Les Miserables my mouth hung open in disbelief. And then my mouth was going up and down because I was laughing so much. Dire. I don't know why I have to write a minimum of ten lines, I have made my point succinctly, there's nothing clever about all this modern verbiage. negative negative +Three businessmen are involved in a bar fight with three mysterious men. The three businessmen take revenge, which escalates to a murder after another. Supposedly the story is about the violence that could happen to ordinary people.

The plot has too many holes. The details were ignored in order to move the story forward. The acting was uneven. The color balance was awful even though I watched this movie in DVD. The small budget and tight schedule were apparent. The whole thing seems to be an excuse to shoot the final gun fight, and the ending was just unbelievable. negative negative +this movie is honestly the worst piece of rubbish i have ever seen. this is slow, plot less and boring. the cinematographer deserved to be shot. There were various aspects of unintentional comedy, one of which was Jared being oddly camp. Raised many laughs but also many yawns. don't watch with anyone, anytime any place. If u hate someone, recommend they buy or rent this. big waste of time and money. Thanks Gus Van Sant...not. i cant think of anything else to say except Don't ever see this movie, it will make u want to jump off a cliff. Hope Gus and his mates read this comment before it's too late and he makes a sequel or some other catastrophe with what appeared to be shot with a camera phone. negative negative +Rosie wasted a lot of TV time talking about the Tainos as if they were super influential in the dynamics of the modern day Puerto Rican. They were not. The truth is that the Africans and the Spanish were and she knows it. What kills me is that she is standing on the screen looking like some average light skin black chick ( with an obvious black daddy, cousins and auntie)pretending to truly acknowledge the real essence of what makes them the modern day Puerto Ricans,but barely mentioned how Africans influenced the way their Spanish is spoken, the food and music. She is so typical and I lost a lot of respect for her and will not support anything else she does. Also, since she wants to dance around her African-ness then she need not take more roles associated with blackness (i.e. Lackawanna Blues). We can find a prideful Black Latina next time (thank you Zoe Saldana,Gina Torres, Gina Ravera and Melissa DeSousa).

To the Puerto Rican on here that said they are African and not 'black'....thank you. We 'blacks' certainly do not have anything in common with 'you' so there is no love lost. But, since you are probably in the States and have benefited from the Civil Rights movement we would like for you refuse any decent human treatment you received courtesy of the blood ,sweat and tears from the backs of the 'blacks' you share nothing with.

If I am correct Puerto Ricans have a terrible image in the media, but we blacks do not spend our time trying to disrespect you because we know that the media loves to exploits the low points and behaviors of all minorities to maintain mindless generalizations. However, you evidently have fed into the hype that one you are somehow white or superior...you are not. Also, you somehow feel compelled to believe that black culture is BET...again you are incorrect and need to take a vacation out of the hood. Try visiting Atlanta, Ga., Houston, Texas, Charlotte, N.C. Trust me none of those blacks want to claim your 'culture' either. negative negative +This movie is not realistic at all, more of a comedy than a serious war film. Very old-fashioned too. Maybe I was just expecting it to be on a same level with 'Platoon'. I wonder, why 50% of the voters gave it 10? Something must be wrong. negative negative +I watched about an hour of this movie (against my will) and couldn't finish it. I'd rate it as a 0. The writing was bad, the plot predictable and one that's been done far too many times. The most annoying part of this movie was the acting done by Melody Thomas Scott. This part did not call for someone appearing snobbish, but she managed in every single scene I saw to look like a (sour) snob or someone who was about to spout something extremely sarcastic or cruel.

The two romances which seemed to develop into something serious almost upon the couples meeting was a bit too much.

I should know better than to watch made for TV movies. If there is absolutely nothing on the telly and this is the only choice, read a book. negative negative +This Tim Burton remake of the original 'Planet of the Apes' from 1968 (and starring Charleton Heston) is a far, far cry from the quality and plot of the original.

Certainly special effects have improved since 1968, but writing has not. The characters were boring and the dialog was awful. I sat through the entire film with a friend (who thankfully only rented it) and completely understood why, before Christmas, all of the 'Planet of the Apes' toys at Target were in the clearance bin.

My advice to Tim Burton: don't put this on your resume.

My advice to everyone else: watch the original 1968 'Planet of the Apes' movie. negative negative +Though it pains me to some degree that I'm bothering to christen the comments board for this new series - mainly because I'd hate to give the false impression that there's actually any semblance of public interest in it - I feel compelled to throw in my chips on this one.

To put it simply, never before have I felt so persuaded to root for a TV show's swift and merciless cancellation based solely on the merit of its promo ads. And, in case you're wondering, I'm a dude.

Listen, Comedy Network: though your existing original programming is already, shall we politely say, of a 'questionable' quality (I'm looking at you, 'Girls Will Be Girls') you have truly outdone yourselves on this one. Whoever green-lit this thing could not be further out of touch with what's cool right now.

Best of luck. negative negative +It's astonishing that some people saw this as art. We saw it as a poorly filmed (shaky hand-held camera and all), (generally) badly acted, unscripted mess that seemed more like a high school film project with the kids experimenting in black & white film making. Injecting mounds of poetry in place of a story does not an art film make. When we watched this in the theatre, people were starting to have fits of the giggles (us included) at the endless stupidity of this self-indulgent, meandering mess. And believe me, it does seem endless. Had we finished our candy and popcorn, we too would have walked out of the theatre with the other two dozen people who packed up and left looking for something more interesting to do! negative negative +While the acting and directing could be argued as having some merit - the storyline is a very poor wannabe Vietnam movie with the country name simply changed.

At the very least, for a movie to hold some credibility, try and have some semblance of accuracy in equipment, weapons and tactics. Nevermind the gross misrepresentation of the behaviour of the troops as a norm.

Aside for the limited use as silly propaganda about the South African Defence Force, it serves little purpose - definitely no entertainment value.

Aspiring movie makers - this is how not to make a war movie. Do some research, and have some pride in your product. negative negative +This is just a very bad film. Miles looks as if she is in pain during the sex scenes and the acting is wooden. It also drags on slowly and never really finds a point to it all. One of the worst films that I have ever seen! negative negative +Truly flatulent script, and I was very disappointed with Marc Singer for agreeing to be in it.

I actually walked out of the theater about 15-20 minutes into it, and demanded my money back. I have actually walked out of a movie only 3 times in my life (I am 43 years old) and this is the only one that made me mad enough to demand my ticket price back. If I could have, I would have gotten a refund on the popcorn, too. This was a truly lousy movie, and there is no excuse.

For one thing, how does someone who was raised as a pre-tech barbarian learn to DRIVE A CAR? IN California!!!? (Driving a car is a somewhat tricky skill, and in California, even tricker...I should know, I live there.) negative negative +L'Humanité is a murder mystery. These movies tend to be popular,

and the 6.9 rating it currently has suggests that it has been, too.

Unfortunately, this movie has no redeeming qualities whatsoever.

A few non-spoilers, for instance, include a 5-minute scene

wherein the main character eats an apple. And another 3 minutes

where he breathes.

In case you were wondering, this is not, in fact, art. Neither is it a

commentary on humanity, which from the title it seems it is trying

to be. It is, in fact, boring. There are numerous attempts in this

movie to say something about humanity. One might think to

onesself, 'How would I comment on humanity?' And the most

obvious and boring answers will of course be sex, love, and death.

Not that these options are uninteresting when done well - just that

they are the canonical options. For sex, this movie does its best to

make it unattractive and disgusting. In your first five minutes -

hence this is not a spoiler - you will see the bloodied vagina of a

murdered 11-year-old girl; it's a murder mystery, remember? Later

on, a few people throw themselves at each other and have what

the director would like us to believe is 'raw' sex, but in reality it's

contrived and overly symbolic - but worse yet, uninterestingly so.

I enjoy being disturbed by movies. This movie showed me why:

Disturbing movies usually show something inside of someone,

their humanity, which they did not know existed and are a bit

scared of. L'Humanité tried to do just this and failed, and I walked

out of the theatre not disturbed, but disgusted, thinking that I had

wasted my time in the theater, despite having seen the movie for

free. negative negative +This pile of sh!t is tied in my book as the worst thing ever made. I can't BELIEVE that someone actually relased this CRAP, let alone acually MADE it. HORRIBLE, HORRIBLE, HORRIBLE. Not even worth mentioning the damn story or any details about it. THAT's how bad it actually is. Avoid it like SARS! negative negative +Sorry, folks! This is without a doubt the worst film I have ever seen. Sometimes when a movie is really bad you can joke about it and have a good laugh (like Plan 9 from outer space), this movie is so bad you can´t even enjoy it on an ironic level. negative negative +This was really the worst movie I've ever seen. Anyone who has seen it will know what I'm talking about. I saw it on Starz, so thank goodness I didn't waste my money. Please everyone, don't waste your time. I'm really suprised this wasn't straight to video. negative negative +i think that new york is a big fake, i mean her whole guidelines of this show is stupid. i enjoyed flavor fl av more better, she acts like a slut, and a hoe put together. her mother is out of this world, i think she is the devils daughter. i mean what does she think she is doing these men already have girls and i believe once you have been with her you will be to ashamed to go back to your girl. she is nasty, spoiled and a big fat fake.the show is very interesting to watch, how much money is she getting to do this awful show, and whats up with her mother,i thought her and new york did not get along, but now it seems as though she is just as fake as her crazy daughter.and where is the so called husband, he is no where to be found,i would not to be with them either. negative negative +This has got to be the most appalling abuse of the word comedy ever witnessed.It is simply not funny and the scriptwriters have obviously just tried to use the name of the TV series in order to make a few quid at the box office. This film makes a carry on seem subtle as far as sexual innuendo goes ( no mean feat), and has all the charisma of a corpse with rigamortis. A complete washout I'm afraid!! negative negative +An updated version of a theme which has been done before. While that in and of itself is not bad, this movie doesn't reach the ring like the other 'inherent and pure' evil ones do.

Predictable, ambitious attempt that falls short of the mark. Not worth sitting through for the tired contrived ending. negative negative +I found 'The Arab Conspiracy' in a bargain bin and thought I'd uncovered a lost treasure. Folks, there's a reason why you don't hear much about this film. The plot is muddy, the pacing is slow, Cornelia Sharpe is about as vivacious as plain, cold tofu, and the ending leaves you flat. Not even Sean Connery can save this one. negative negative +Columbo movies have been going downhill for years, this year it may have reached the bottom. Peter Falk gives the same uninspired performance and comes over as creepy in this movie. As is usual in this series, crime scene protocols are unheard of so plausibility is always lacking. Brenda Vaccaro chews the scenery and pulls pantomime faces and Andrew Stephens is a pretty unconvincing lady's man. (His faint, though, was a hoot!)The script was by the numbers and its delivery patronising. They should never have brought Columbo into the nineties, just left us all with one or two happy memories of clever plots, better scripts and sharp characterisations. negative negative +I hated it. I hate self-aware pretentious inanity that masquerades as art. This film is either stupidly inane or inanely stupid. After the first half hour, I fastfowarded through the DVD version, and saw the same juvenile shennanigans over and over and over. I became angered that I had spent hard-earned money for sophomoric clap-trap. Tinting drivel in sepia or blue does not make something a movie, let alone art. negative negative +Orca starts as crusty Irish sea captain Nolan (Richard Harris) & his crew are trying to capture a Great White Shark so they can sell it for big bucks, unfortunately when a hapless marine biologist called Ken (Robert Carradine) comes under attack from it the Shark is killed by a Killer Whale, this raises Nolan's interest in Killer Whales & decides he want's to catch one of them instead. However while trying to do so he catches a pregnant female & injuries it to the extent she aborts her unborn foetus on deck which makes a mess & enrages her mate, Nolan orders the Whale be dumped back in the sea which is what happens. The male Killer Whale is annoyed to say the least & kills one of Nolan's crew before they reach the dry land of Newfoundland in Canada, once there the Killer Whale conducts a series of attacks on the town & it's people in an effort to lure Nolan back out to sea for a fight to the death...

Directed by Michael Anderson I thought this blatant rip-off was terrible, I'm sorry but I thought it was just plain ridiculous & utterly dull even at a modest 90 odd minutes. The script by producer Luciano Vincenzoni & Sergio Donati is so stupid I'm lost for words, the fact that it seems to take itself very seriously doesn't help & if I have to listen to Charlotte Rampling go on about how intelligent Killer Whale's are just one more time I'll scream. I'm sorry but I simply don't believe a Killer Whale is intelligent enough to know who any particular boat belongs to & sink it, I don't believe a Killer Whale can cause a huge explosion including knocking an oil lantern from a wall on the opposite side it hits as there is no way on earth it could know it was there, I don't believe a Killer Whale can identify someone's house, know someone is in there & then wreck it on purpose, I don't believe a Killer Whale can move icebergs around in order to trap a boat, I don't believe Killer Whales can physically recognise people & I don't believe it has any revenge instincts or at least none that are as strong as this dumb film makes out. Maybe I'm being a bit harsh, I mean it's only a film after all but it's a film which is trying to be serious & things just got so ridiculous that I was half expecting the Killer Whale to write a letter to Nolan to tell him his plan & hand (or should that be fin?) deliver it, the thing seemed intelligent enough to do just about anything else. They should have asked it to come up with a cure for the common cold! Seriously, that's a statement that's no more far fetched than anything else in this film. I found the film very boring, totally dull & had awful character's with no on screen presence at all. It goes without saying this is a Jaws (1975) rip-off which doesn't even come close to Spielberg's classic.

Director Anderson is no Spielberg that's for sure, this rubbishy film has absolutely no suspense, scares, tension or atmosphere at all. All the attack scenes are as dull as dishwater & totally forgettable, there's no build up to them & virtually no pay off either as Orca doesn't get to eat a single person. Then there's the scenes which literally had me laughing, the shots of the Killer Whale appearing to cry are pure comedy & the opening scenes of the two Killer Whales I suspect tried to show them as a 'loving' & 'caring' couple but I couldn't help but think that this is the closest we'll ever get to Killer Whale porn, hilarious stuff. The footage of the Killer Whales themselves is bland & boring, instead of footage which matches & enhances the scenes around it it just looks like dreary wildlife documentary footage that has little connection to anything else. Do you get the impression that I don't like this film? Good. Forget about any gore or decent deaths either, there's a brief scene when Bo Derek has her legs bitten off but blink and you'll miss it.

This probably had quite a big budget & it still sucks, there's nothing outstanding about Orca, it's well made I suppose but flat, bland & totally forgettable. The cinematography is quite nice though. The acting is bad, Rampling is awful & the late Harris' Irish accent is embarrassing.

Orca is a lame Jaws rip-off which completely ignores or messes up everything that made Spielberg's film so good, this is one for bad movie lovers everywhere. Definitely not recommended although not quite as bad as Jaws: The Revenge (1987). negative negative +This is Wes Craven at his worst! this is the very worst horror, if you can call it horror, you will ever watch, esp from one of the masters of horror Wes Craven, Poor Direction, Poor Acting, Poor Set, Poor Atmosphere makes this the biggest pile of rubbish ever! the bad guy is totally unconvincing, you couldn't even feel sorry for the guy! the gore, and horror involved in the film is laughable, it's just plain rubbish! the only good points i can think of is, It stars Natasha Gregson Wagner, Giovanni Ribisi, and Lance Henriksen, but not even that cast, could stop this from spiralling out of control, and into one of the worst horrors ever. If you still ain't watch it yet, don't bother, you'll only hate it. negative negative +This movie pretty much sucked. I'm in the Army and the soldiers depicted in this movie are horrible. If your in the Military and you see this movie you'll laugh and be upset the entire movie because of the way they acted as a squad. It was ridiculous. They acted like a bunch of normal people with Army uniforms on not knowing what to do. It was a pretty gory movie I'd have to say the least. There was a couple scenes where they try to make you jump. I'd recommend seeing it if you are bored and want to see a violent, gory movie. It will be a better movie also if your not in the Military. I also would have to say I liked the first one better than this one. negative negative +Possibly the worst movie I have ever seen. Pathetic in almost every way.

I threw the DVD straight in the bin - I didn't even think it was fair to give it to the local thrift shop.

The effects are beyond a joke. The dam control room looks like cardboard. The water looks way out of scale with the backgrounds - nothing works.

Then there is the limp plot - about as much depth as a Scooby Doo cartoon.

I couldn't wait for them all to drown. negative negative +This 1974 Naschy outing is directed by Leon Klimovsky, and a cursory glance at the publicity photos and packaging might lead you to believe that this medieval romp lies somewhere between 'Inquisition' and 'Sadomania'. Sadly not.

This is a strictly PG affair with tame torture sequences, no nudity and little edge at all. Naschy (of whom I am a fan) struts his stuff as Gilles de Lancre, 'antiguo Mariscal de la nacion'. Sadly he is more pantomime villain than anything else. One gets the feeling with this film that we have seen him (and it) done all before. Strictly therefore for Naschy completest only. negative negative +Barney is that idiot dinosaur who (unfortunaltely) didn't go extinct with the other dinosaurs many eons ago. Instead he sings stupid songs and has stupid morals about life that are 100% worthless and/or extremely dangerous: that is 'STRANGERS ARE YOUR FRIENDS YOU HAVEN'T MET YET!'. The reason why I say he's evil? Well, on YouTube, there's a video of a Barney song about toy balls. When it's played backwards, it comes out as 'WE'LL ALL COME HANG YOU! LET'S STAB THE KNOCKERS!'. Don't believe me? See it for yourself! I also read on another review that they are now reading out PC folklore and fairy tales. Now that is just stupid with a capital S! I mean, really! Anyways, I don't recommend letting your kids watch this filth as it contains stupid morals like strangers are your friends (as said before), there is never a reason to be sad and if you are sad eat junk food, being an individual is taboo, magic can solve all of your problems and heaps of other ridiculous crap. negative negative +Man alive, is this game bad or what? The graphics are way below par, even if it were on a playstation 1, never mind a Gamecube. The gameplay is pathetic and the camera movements disorientating. What a worthless game!

I totally love Warner's Batman animation and it's cool that they do all the games in this way. Batman: Vengeance could well have turned out great as they got off to a good start by keeping all the Gothic visuals and voice actors but they seriously stumbled when it came to playability and graphics. The result is a boring game that looks incredibly cheap and is no fun to play whatsoever. I really must stress how bad the graphics are. Don't let the color schemes fool you. I've seen better stuff on a Commodore 64. negative negative +the only reason i bought this DVD is because cynthia rothrock is in it.now everybody knows she is the queen of martial arts b movies.the trouble is this is not a martial arts movie.cynthia rothrock has about a minute or so of fight scenes in this stupid movie.now if you were a film maker and you had cynthia rothrock in your movie would'nt you want to have a lot of martial arts action? all she does in this movie is walk around looking bored just like i was when i watched this pile of crap.i own a lot of her movies and they are all b movies but at least they had some cool fight scenes in them.if you are a martial arts fan avoid this no matter what.i'm still mad i wasted 4 dollars to buy this DVD negative negative +Serious HOME ALONE/KARATE KID knock off with enough bad character stereotypes to have the writer sued and then shot. You could see blatant stunt man usage in almost every scene. Oh, and the acting sucks too. Although I must say that the line: 'Sorry, dude, I have to take a major dump big time' made me laugh my ass off. negative negative +Unimpressive and extremely low budget sci-fi without any charm and appeal. Even the scenes related with the fall of the asteroids are stolen from other movies with the same plot. It's just a bad rip-off of 'Asteroid' (with Annabela Sciora) and 'Deep Impact' (with Morgan Freeman). Mr. Hopper seems to be anxious to slip away from this pointless and dull sci-fi entry.

I give this a 2 (two). And don't say I'm not a good guy! negative negative +This is the movie that epitomizes the D&D fear of the 80s (and even today). The fear being that people who play D&D (or any other role-playing game for that matter) will be 'sucked in' and lose their ability to distinguish reality from fantasy (and go on killing sprees, child sacrifices, suicide, etc). Great movie for anyone who likes to blame the problems of society on inanimate objects, but anyone who has played a role-playing game, a video game, or even acted in a play will see this as an insult to their intelligence. It is to D&D what Wargames was to computers. Plus as a movie, it just kinda sucks. negative negative +Stephen Feinberg, who Played the Proctologist and was one of the writers of the movie, passed away in early 2006. I met Steve in Portland in 1993, it was a year latter when he told me that he had been a writer in Hollywood years earlier, working mostly on TV promos. He asked me not to see 'Tunnel Vision', but it was too late, I had seen it already! Actually I had seen it years before, when it was released. At that time I didn't think it was that bad a movie. However seeing it as an adult my opinion was somewhat different. Yes is is a bit puerile as well as dated. Steve admitted it was not a very good movie. That said he was just a little proud of 'The Proctologist' sketch. negative negative +I am a fan of his ... This movie sucked really bad. Even worse than Ticker! & That movie was bad. It was kind of like they popped it out in a week. Looked to be very low budget. Only like 3 or 4 buildings used, a couple of locations MAYBE, & poor hummh! Everything! It just blew. negative negative +'Nuff said. An undercover cop from the state capital is sent to a small county where moonshine running is rampant. He ends up getting run off the road by some local hicks who have no idea he's an undercover cop (so they just drive away as blissfully dopey as ever). He is soon being taken care of by a woman and her three daughters who all wear low-cut tops and short shorts (gotta luv the '70s). He falls in love with one of the girls but in the meantime he still has to find out who's making all the moonshine and driving it to all the local bars and restaurants. He also has to contend with a fat sheriff and his incompetent deputy who think he's the moonshiner 'cause he's new in town.

Life in small town America, 70s style. YEE HAAAAAAAAAAA. negative negative +The acting is bad ham, ALL the jokes are superficial and the target audience is clearly very young children, assuming they have below average IQs. I realize that it was meant for kids, but so is Malcom in the Middle, yet they still throw in adult humor and situations.

What should we expect from a show lead by Bob Saget, the only comedian in existence who is less funny than a ball hitting a man's groin, which is probably why he stopped hosting America's Funniest Home Videos.

Parents, do not let your kids watch this show unless you want to save money on college. Expose your kids to stupidity and they will grow up dumberer. negative negative +Omen IV: The Awakening starts at the 'St. Frances Orphanage' where husband & wife Karen (Faye Grant) & Gene York (Michael Woods) are given a baby girl by Sister Yvonne (Megan Leitch) who they have adopted, they name her Delia. At first things go well but as the years pass & Delia (Asia Vieria) grows up Karen becomes suspicious of her as death & disaster follows her, Karen is convinced that she is evil itself. Karen then finds out that she is pregnant but discovers a sinister plot to use her as a surrogate mother for th next Antichrist & gets a shock when she finds out who Delia's real father was...

Originally to be directed by Dominique Othenin-Girard who either quit or was sacked & was replaced by Jorge Montesi who completed the film although why he bothered is anyone's guess as Omen IV: The Awakening is absolutely terrible & a disgrace when compared to it illustrious predecessors. The script by Brian Taggert is hilariously bad, I'm not sure whether this nonsense actually looked good as the written word on a piece of paper but there are so many things wrong with it that I find even that hard to believe. As a serious film Omen IV: The AWakening falls flat on it's face & it really does work better if you look at it as a comedy spoof, I mean the scene towards the end when the Detective comes face-to-face with a bunch of zombie carol singers who are singing an ominous Gothic song has to be seen to be believed & I thought it was absolutely hilarious & ridiculous in equal measure. Then there's the pointless difference between this & the other Omen films in that this time it's a young girl, the question I ask here is why? Seriously, why? There's no reason at all & isn't used to any effect at all anyway. Then of course there's the stupid twist at the end which claims Delia has been keeping her brother's embryo inside herself & that in a sinister conspiracy involving a group of Satan worshippers it has been implanted in Karen so she can give birth to the Antichrist is moronic & comes across as just plain daft. At first it has a certain entertainment value in how bad it is but the unintentional hilarity gives way to complete boredom sooner rather than later.

It's obviously impossible to know how much of Omen IV: The Awakening was directed by Girard & Montesi but you can sort of tell all was not well behind the camera as it's a shabby, cheap looking poorly made film which was actually made-for-TV & it shows with the bland, flat & unimaginative cinematography & production design. Then there's the total lack of scares, atmosphere, tension & gore which are the main elements that made the previous Omen films so effective.

The budget must have been pretty low & the film looks like it was. The best most stylish thing about Omen IV: The Awakening is the final shot in which the camera rises up in the air as Delia walks away into the distance to reveal a crucifix shaped cross made by two overlapping path's but this is the very last shot before the end credits roll which says just about everything. I have to mention the music which sounds awful, more suited to a comedy & is very inappropriate sounding. The acting is alright at best but as usual the kid annoys.

Omen IV: The Awakening is rubbish, it's a totally ridiculous film that tries to be serious & just ends up coming across as stupid. The change of director's probably didn't help either, that's still not a excuse though. The last Omen film to date following the original The Omen (1976), Damien: Omen II (1978) & The Final Conflict (1981) all of which are far superior to this. negative negative +I've read the positive comments on this movie. I assume people who were in this movie must've come to this site to give it some good press because this was one of the worst movies I have ever seen. I always watch the whole film despite the quality or lack there of which explains why I watched this whole movie, but I don't think I laughed even once during the duration of this film. The jokes were mostly very bad, but when the jokes had some promise, the delivery was off. If you liked it, maybe you should lay off the buds because you need to preserve the 5 or 6 brain cells you have left. This movie had a poor script, bad acting, poor directing, weak plot... nothing of virtue and was not entertaining. If you haven't seen this movie, don't. negative negative +A young American woman visits her Irish roots and fends off a druid witch who is out to possess her. Sounds intriguing but after an interesting start, I got lost and spent most of the time wondering where it was going. The movie seems to be dithering in two directions -- are we watching the travails of the Irish-American woman battling her alcohol problem or are we watching a straight off horror flick about an evil witch that returns from the past? The director can't seem to decide. The two doesn't seem to gel and in the end you get nowhere. This could be so much better done and the story seemed to drag towards the end. This was most boring and disappointing. negative negative +I watched mask in the 80's and it's currently showing on Fox Kids in the UK (very late at night). I remember thinking that it was kinda cool back in the day and had a couple of the toys too but watching it now bores me to tears. I never realised before of how tedious and bland this cartoon show really was. It's just plain awful! It is no where near in the same league as The Transformers, He-man or Thundercats and was very quickly forgot by nearly everyone once it stopped being made. I only watch it on Fox Kids because Ulysses 31 comes on straight after it (that's if mask doesn't put me to sleep first). One of the lesser 80's cartoons that i hope to completely forget about again once it finishes airing on Fox Kids! negative negative +When I first watched this movie, in the 80s, I loved it. I was totally fascinated by the music, the dancing... everything. However, I recently watched the whole thing again on DVD, and I was completely struck by how extremely stupid the storyline was - how it contained holes, inconsistencies and - frankly - a whole lot of crap - and how horrid the dancing was. I mean, in a realistic world, she would NEVER have gotten into that ballet repertory... The whole thing was quite pathetic. The character developments also lacked in depth. I think that this was, very much, a product of the 80s: the film does not hold up today! negative negative +The German regional-broadcast-station WDR has shown both 'The General' and ODC. On Saturday I've seen 'The General' and I thought, it wasn't very bad, but not very good too. But yesterday I've seen ODC and I switched it off after about an hour. Although Kevin Spacey was the main actor the movie was totally confusing and seems restless. 'The General' told the story straight and ordered, but ODC just wanted to be cool. There is a reference on the Guy Ritchie Movies 'Lock, Stock and Two Smoking Barrels' and 'Snatch', but doesn't have the Coolness of these movies.

So, in the end I would rate it 3 of 10! negative negative +Being a wrestling fan, movies about wrestling generally suck (Backyard Dogs, Bodyslam, Jesse Ventura story) but this one isn't the worst I've ever seen. Yes its bad but its better than some of the others I've mentioned.

Hulk Hogan stars as basically himself and for some reason, a rival network wants to beat him up because he doesn't want to be on that network. Let me explain it so everyone can understand....picture USA Network having Rip...and TNT will go to any lengths to get him.

Does this make sense...no? Well don't feel bad because it doesn't make sense. Nor does it make sense to have a legit ex con have a REAL fight with Rip at the end of the movie.

None of this movie makes much sense but compared to other wrestling movies and later Hogan films its not so bad.

4 out of 10 negative negative +I can count (on one hand) the number of good movies starring Joe Don Baker. This is not one of them.

Interminable chase scenes, dim-witted dialogue, and terrible lapses in continuity made this movie a prime choice for getting the send-up on MST3K.

And that is the only way I was able to watch this... negative negative +Kinda boring, kinda gross, kinda unsettling, this wasn't horrible, but not too good. There's a good creepy bit when the statue comes to life, though, props to this scene. Not much happens, and the movie just feels sort of scummy. I was happy when it ended, and don't believe anything about this being a true story....very surprised this is averaging around 6. negative negative +I did not like this film at all: The scenario is boring - and after a while, its primitive predictability really gets on your nerves. Even if you give Chabrol a high bonus for not being a beginner, I did not manage to find anything specially interesting on his characterization of Mika neither. negative negative +I guess they reward idiocy today because whoever came up with the concept for this movie was not shot on sight.

This is a morons delight. The worst stereo-types of every ghetto and high school movie is dragged out twisted around and made even more unbearable. Every character in this movie has a sob story beyond sympathy. Lets pray for a remake where the whole school gets nuked.

***Spoiler*** how does a school so run down have the internet in the first place? negative negative +Phoned work sick - watched this in bed and it was so awful I would have went back to work if I could have gotten out of bed. The dog ran off with the remote so I was stuck.

I'm positive Hammer was grooming the eldest daughter to become his beeeatch.

Horrendous to watch - made me vomit more than what I was doing anyway. So there you have it - this would be the film that they play in the waiting room of Hell before you go in. Or maybe your stuck in the film for all eternity with the Hart kids. Just remember to take a gun with you.... negative negative +Elizabeth Taylor never could act at all and she was just her usual annoying, untalented self in this film. This was before she got so fat but she still looked very short and dumpy. Rock Hudson was OK as Bick Benedict but clearly an actor with more range like William Holden would have been better. James Dean certainly proved he knew how to mumble his way through a movie. The whole film is incredibly slow and goes on for far too long. The actors were all too young and lightweight and none of them aged convincingly due to the poor make-up. Hudson looked ridiculous just being padded out and Dean and Carroll Baker were obviously the same age.

0/10. negative negative +Basically, Cruel Intentions 2 is Cruel Intentions 1, again, only poorly done. The story is exactly the same as the first one (even some of the lines), with only a few exceptions. The cast is more unknown, and definitely less talented. Instead of being seductive and drawing me into watching it, I ended up feeling dirty because it compares to watching a soft-core porn. I'm not sure whether to blame some of the idiotic lines on the actors or the writers...and I always feel bad saying that, because I know how hard it is to do both...but it was basically a two-hour waste of my life. It literally amazes me that some movies get made, and this is no exception...I can't believe they'd make a third one. negative negative +Also known in a different form as 'House of Exorcism,' this messy

little film takes itself so seriously as to kill any entertainment value

whatsoever.

The spare plot involves European tourist Elke Sommer who has a

chance run in with Telly Savalas, who looks just like the devil she

saw on a fresco in the square. Sommer is given a ride to a

mysterious house in the country, where Savalas happens to be

butler. There, she is mistaken for a long dead woman, and the real

soap opera theatrics begin. The house's blind matriarch's

husband had an affair with the dead woman, who was the

matriarch's son's fiancee. The couple who gave Sommer the ride?

Well, the woman is giving the chauffeur, uh, 'back seat driving

lessons,' and the husband knows and does not care. Eventually,

most of the cast is killed, Sommer is drugged and raped,

escapes, and the viewer is taken to a climax on board an empty

airplane...which must have resembled the empty theaters this

thing played in.

The alternate version of this, 'House of Exorcism,' has scenes

added involving a priest.

The VHS copy of this, from Elite Entertainment, is crystal clear and

letterboxed. There are 'extras' after the end credits; deleted sex

and gore scenes.

Mario Bava's direction is fast and furious, but his screenplay is

awful. There are half baked ideas, abandoned plotlines, and

stunning conveniences that do nothing more than propel this thing

in some sort of forward direction. You have life like dummies for

practice funerals, the blind matriarch does not act all that blind,

and Savalas is given the same lollipops he had in 'Kojak,' (who

haunts ya, baby?).

The project seems like they had two name stars, then wrote the

script quickly, something that happens in Hollywood on a daily

occurrence now. Savalas looks completely lost, delivering his

lines haltingly, and wishing his character had not died in 'The Dirty

Dozen.' Sommer runs around and screams and gasps a lot, but

her character is a blank, I use the term 'character' loosely. The

only thing we know about her is her name.

This is a real weird film, and your reaction to it might depend on

how heavily you are into Eurohorror, and Kojak. I for one cannot

recomment 'Lisa and the Devil.'

This is unrated, and including all the extras at the end of the VHS

copy, contains strong physical violence, sexual violence, strong

gore, strong female nudity, male nudity, sexual content, and adult

situations negative negative +I saw this piece of garbage on AMC last night, and wonder how it could be considered in any way an American Movie Classic. It was awful in every way. How badly did Jack Lemmon, James Stewart and the rest of the cast need cash that they would even consider doing this movie? negative negative +Zoey 101 is such a stupid show. I don't know if that's because the snooty Jamie Lynn Spears is the prissy star of it or what, but I just know that the show sucks. It's about a girl and her brother who go to a boarding school. The jokes in this show are extremely dull and unfunny, and I hate every single character except Chase and Lola. Heck, the jokes on this show are so unfunny that they make Jack Black look like Monty Python.This show is without a doubt one of the worst shows on Nickelodeon, it's right down there with Avatar and Danny Phantom in the pit of shame, and if this show was a person with any honor, it would hang itself in shame.

1/10 negative negative +This series takes a classic story and makes rubbish of it. Robin is somehow mystified by an elk-man in the forest and is embroiled in all sorts of druidism and outright satanic episodes. The story is more about him avoiding the evil sheriff than helping the poor. This is barely watchable. And to top all the ridiculousness they kill Robin at the end of series 2 and replace him with another actor. Some people may like this show as a fantasy show but it is NOT a Robin Hood show. If you want Robin fighting in king Richards name against Prince John and the sheriff and if you want Robin feeding the poor and oppressed, watch the classic series or the newest from the BBC. negative negative +this is horrible film. it is past dumb. first, the only thing the twins care about is how they look and what boys like them. they are in 7th grade. not to say i am a prude or anything but it sends the wrong message to girls of all ages. being pretty and popular is not everything. but that is what the twins make it out to be. The plot is even worse. the girl's grandpa just happens to be the ambasitor(sp?) to France. He has a co-worker take the girls around paris and they meet two 'cute french boys' with motorcycles. they sneek out to meet the boys start to really like them ETC.....they meet a supermodel in process and go around paris with total strangers they think are cute. need i say more? this movie may be cute to 8&9 year olds. the twins play ditsy losers that want boyfriends. it makes sends the wrong idea to girls. the film itself is not great either. i don't recomend this to anyone. i give passport to paris 2/10 negative negative +What the hell of a D-Movie was that? Bad acting, bad special effects and the worst dialogues/storyline i ever came across. The only cool thing here was Coolio, who had a nice cameo as a freaked out cop. However, the rest of the film is awful and boring. It's not even so bad, you can laugh about it. Just plain crap. And whoever compares this to the Evil Dead Series might as well compare Tomb Raider to Indiana Jones (well, ok, at least there was Angelina Jolie in Tomb Raider)! 1 out of 10 negative negative +Tarzan the Ape Man is a remake of the 1932 film of the same time, and like that earlier film, it has little resemblance to Burroughs' literary character. But while the 1932 Tarzan was reduced to 'Tarzan - Jane' speech, this Tarzan, played by Miles O'Keeffe, doesn't speak or even grunt. He does do the the Tarzan yell a couple of times, which sounds like it was sampled from the earlier film.

No, Tarzan plays second banana to Bo Derek as Jane. Or rather, as third banana to Bo Derek's left breast and her right breast. This movie has no point but to show Derek naked.

The two action scenes in the film are presented in slow motion, and are really bad. More evidence that no one cared.

Bizarrely enough, Tarzan has an orangutan side kick in this film. Maybe he car pooled in from Sumatra with the Indian elephants that are also on display. negative negative +'Horrible People' ought to be the subtitle of this horrible film. If you want to see ordinary people doing ordinary things, then look out of your window at real life. But if you want to see unpleasant people doing dull things, you'll have to watch this horrible film by Mike Leigh. The characters talk at length, but never actually manage to communicate with each other. Why not? Presumably because Leigh things that all of us are as ineffective and pathetic as his actors, and he wants to film real life. But we're not, and he failed. negative negative +Dont let the MPAA fool you with their 'Rated R for extreme violence' there is definatly no extreme violence in this boring peice of s*t. I expected some cheap rambo 3 type action that the trailer promised, however its just boring boring nonsense with tons of lame slow mo flashbacks that make no sense. AVOID! negative negative +The secret is...this movie blows. Sorry, but it just did.

****SPOILER****

In this bad riff on I KNOW WHAT YOU DID LAST SUMMER and SCREAM, Beth, played admirably by Dorie Barton, joins several friends on a Spring Break trip. The group rents a fancy house and tries to enjoy a fun vacation. Then, the deaths begin. First one then another then another of the friends is murdered, leading to a sad and trite climax with predictable results.

One note, Dorie Barton is the poor man's Reese Witherspoon–she looks like Reese, acts like Reese and could pass for Reese in a police lineup. Maybe that's how they cast her? Anyhoo, decent cinematography and fair acting could not quite make up for bad dialog and terrible writing. negative negative +The second half of Steven Soderbergh's revolutionary bio on Che Guevara deals with his last campaign to export revolution to Bolivia. In order to maintain his saintly visage of Che Soderbergh conveniently leap frogs the mass executions he presided over after the revolution in Cuba and the folly of his Congo adventure ('This is the history of a failure' he writes in the preface of his Congo Journal) to concentrate fully on Che's attempt to rally support to rise up against the government in Bolivia. It would turn out to be a disaster and Guevara's final act.

What plagued the first chapter follows suit here as Soderbergh slows his film to a crawl to study the beatific countenance of the contemplative Guevara once again being played like James Dean in East of Eden by Bernicio Del Toro. The problem is Guevara has little success in gaining converts and he soon finds himself and his starving comrades being swallowed up in the heart of darkness Bolivian Jungle. Unlike Werner Herzog in the magnificent, Aguirre, the Wrath of God Soderbergh fails to utilize the jungle's metaphorical possibilities to heighten the desperation of the guerrillas. He seems more concerned with keeping Che's nimbus above his head than exploring the panic setting in on the dead enders. There is one Herzogian moment where Che sits astride an obstinate horse kicking and screaming to get it moving but overall Soderbergh's mise en scene remains flat, sloppy and uninteresting.

In both of his films Soderbergh shows he is clearly a Che groupie and because of it his focus remains myopic and narrow. He spends too much time building his monument to Che and too little in developing his relationships with key players in his saga, especially Fidel Castro. Making matters worse he does it with a slow and dispassionate approach that never catches fire. One would think he was steeped in enough Eisenstein and Vertov to realize that sweeping change is showcased a lot better with sweeping style. negative negative +I have seen every episode of this spin off. I thought the first season was a decent effort considering the expectations of following such a success that is Grey's Anatomy. Thus i have continued to watch. I'm afraid the second season lacks the charm, the chemistry and more importantly the drama of it's predecessor Grey's Anatomy. The relationships seem contrived and the acting is so-so. The writing lacks the intelligence and comedic hints seen in GA. There are shows that a formulaic but do not feel formulaic and contrived, unfortunately PP is not so. I loved Kate Walsh's presence in GA. I'm afraid Kate Walsh's life in LA is simply not interesting. negative negative +Dubbed beyond comprehension, the HBO version of Lumumba is a disastrous rendering of what looks like what was once a decent film. Some scenes simply don't make sense in English and the actors bring zero energy to their voice reading. Add in the self-censorship involving CIA operative Frank Carlucci, and you have a film stripped of both its drama and its power. Here's hoping the subtitled version gets to American television screens at some point. negative negative +And the title says it all: a cheesy sounding title that is a cheesy sounding joke of a film known as 'Alien from L.A.' Why not just call it 'Alien from South Africa,' as this is the place where this movie was filmed? My advice for watching movies that have been featured on 'Mystery Science Theater 3000:' do not watch the original version of the movie at all! Period! Always watch the movie with the theater shadow at the bottom of the screen, with a man trapped in space with his two funny, wise-cracking robot friends sitting at the lower right hand corner of the screen. It just seems better that way.

Movie as it was originally seen: Awful! Movie as it was seen on MST3K: Genius! negative negative +This series doesn't present the British view of the Revolutionary War, so much as an anti-American view of it. The underlying theme of the series is that a silent majority of colonists enjoyed British rule; that the founding fathers were manipulative schemers whose only goal was to draw Britain into a violent civil war; that the American supporters of the revolution and the militia were racist, violent louts, duped into the struggle. Clearly, the intent of the author, Richard Holmes, is for the viewer to extrapolate these characteristics, in a straight line, from the American population of 1775 to today.

For example, in the episode 'The Shot Heard Around the World' Holmes dredges up an obscure print of the Boston Massacre, in which he claims the skin of Crispus Attucks, a black man and the first man killed in the revolution, was purposely 'whited out'. Holmes claims that portraying Attucks as a black man would have been bad propaganda for the revolutionary cause. Holmes never reveals how he knows this. And there's more. Holmes goes to some length to work in a single, unsubstantiated, atrocity: the desecration of the body of a British soldier. He compares the American militia to the Viet Cong and the mujahadeen -- without mentioning any differences in the goals of these groups. The list goes on.

Supposedly, this series was made in response to Mel Gibson's 'The Patriot'. It says a lot when an academic feels the need to respond to Mel Gibson on any topic. Instead of presenting the British view, it seems Holmes really wanted to give a sensationalistic, anti-American view, and, in the process, he's made himself the Roger Corman of historians -- strictly third-rate schlock. negative negative +The filmmakers apparently had enough money to be able to afford decent makeup effects, but not enough for a creature that would move around and attack convincingly. We never get a chance to see the 'monster' move from one place to another - whenever that happens (supposedly), the camera focuses on the 'terrified' reactions of the humans that are nearby. And when a man is attacked by it, he simply seems to be holding an inanimate object against himself so that it won't fall to the ground. This is still not the worst 'Alien' rip-off around (the two 'Xtro' films are even worse, for example); it's actually sufficiently entertaining if you've got 68 (!!) minutes to spare. (*1/2) negative negative +I don't know why I'm commenting this stupid reality-show I happened to watch a few episodes of(a cable marathon broadcast when they aired 5 episodes in a row or something,I didn't watch the entire thing though.Only like three episodes)as I was nine months pregnant and about to go into labor any day.Maybe I'm just bored today:-)

I feel sorry for Britney,I really do.For all her money and fame she seem to have very little sense of dignity.Or she's self-centered to the extreme.She married the nitwit Federline(okay anybody can make a mistake) and before that she 'starred' this horrible show about her everyday life with him,where she shoves a camcorder wherever she feels like it,no matter if it is in someone's face or into the shower as Federline is standing in there. She's babbling about her sex-life without leaving anything to your imagination,I don't care for my part,but I can't help wondering how she feels about it now when she's divorced.And yes,for her sake I'm embarrassed.But I shouldn't be.She seem to live a pretty empty,shallow life though.I don't want to swap lives with her even if I could. Road-kill TV if you like. negative negative +Seagal was way off the mark with this film. I'm a fan of his and come to expect cool fight scenes and sharp one liners but this film had none of this, instead it had injections and cheesy music. Even if you're a fan of his i strongly recommend you keep away from this film and watch under siege or even on deadly ground instead. negative negative +Blank check is one of those kids movies that could have been a great suspense thriller for the kids but instead it's a tired lame home alone ripoff that isn't worth a dime. Quigley is a criminal who just escaped from jail and gets his hidden million dollars from a big score and then we meet Preston a frustrated kid whose room is taken over by his brothers to start a business and obviously dad treats his brothers better because they make money the same day he goes to a kid's birthday party and since his dad is a cheapo he goes on little kids rides while the other kids go on roller coasters then he receives a birthday card and a check of 11 bucks how cheap is this family? So he goes to the bank to open an account and meets the gorgeous Shea Stanley were her parents mets fans? he finds out he needs 200 to open a account meanwhile quigley gives his million to his banker friend and finds out the bills are marked so he will send a lackey named juice to get the unmarked ones when Preston leaves his bike gets run over by quigley he's about to write a check when he spots the cops and bolts back home his parents scolded him about his busted up bike and gets grounded what? their kid got almost run over and they worried about a bike? So Preston forges a million dollar check via his computer and comes back only to be escorted to the banker thinking that he's juice he gives Preston the money but the real juice came and realized they been duped by a kid! So Preston buys a mansion under the name Macintosh gets a limo driver who says unfunny jokes and goes on a epic shopping spree then he spots Shea and talks about opening his account kid you're loaded and you're talking about opening an account? We soon realized Shea is actually an FBI agent tracking down quigley and his two other accomplice's then he told his cheapy dad he's got a job working for Mr Macintosh and spends the day riding go karts playng vr games and hanging out with his limo driver buddy then he goes out on a date with Shea in a fancy restaurant what a 10 year old wining and dining a 20 something FBI agent? Afterwards he takes her to a street geyser and playing around in the water messing up Shea's 300 dollar dress yet she takes it well if this was a bit realistic she would slap him for messing up her expensive dress so quigley and the others still mad interrogates a little kid and quickly spills the beans and Preston is being chased by quigley in a scene taken from the original script and afterwords he is hosting Mr Macintoshs birthday which is really his birthday when he discovers he couldn't pay for the party he sits in his chair and dad talks to MacIntosh which he doesn't know it's his son he's talking to and talks about Preston should be a real kid and has his whole childhood ahead of him and wants Preston to go home early what? an hour ago you were grilling him about his finances! so Preston asks everyone to leave and sits alone pondering when quigley and the others break in to the house to make Preston pay and so he faces then in a finale that rips off home alone quigley gets spun around in a ball while Preston is driving a go kart juice gets hit in the groin and more antics ensue until the trio get Preston cornered and when it seem all hope is lost Shea and a bunch of SWAT guys come to save the day and so quigley and his crew get sent to jail but is there any hope for Preston and Shea? there is and she kisses him in the lips what? what? what? A grown woman kissed a kid in the lips. come on is she mentally disabled? I mean an FBI agent who knows the country's laws would risk her career to kiss a kid? she could get arrested on the spot! and the most creepiest part of all is that isn't goodbye and she'll see him in 6 or 7 years! oh dear and so he comes home to his family celebrating his birthday so the moral of the story is love and respect can be bought? What are they smoking? The bottom line is that is a waste of time the morals are whacked it's flat as a tortilla the kid is annoying the villains are lame the comic relief isn't funny the brothers are unlikable the dad is even worse the romantic subplot is creepy the plot's shallow and the only saving grace is the cinematography from bill pope which went on to shoot the matrix trilogy and two of the spider-man films so people don't waste your money and go watch home alone instead.

This has been a Samuel Franco review. negative negative +What's up with Robert 'Pretentious' Altman? Was he saving on lighting? Everything was so dark in this boring movie that it was laughable. I mean, have you ever seen a lawyer's office where everyone works by candlelight?

Don't waste your time. In fact, don't waste your time with anything Altman makes: It's all a pretentious waste of film. negative negative +No gore, no blood, no gratifying death scenes...dumb dumb dumb dumb. Dear God sitting through this movie made me sick. Sick sick sick. Very boring...extremely boring...

Theres not even a humorous aspect to this film! i cant find a good thing to say about it, other than the lead guy had a nice body...I guess. Definitely not worth the fifty cents I paid to rent it. negative negative +The film opens with a cult leader attempting to resurrect a dead member with his followers chanting for his rebirth as the sun strikes upon them in the desert. Reanhauer(Bill Roy)believes wholeheartedly in his power, and gets so worked up that he collapses with what appeared to be a heart attack. Unable to keep him alive, all those involved, doctors and nurses, are sentenced for attack with Reanhauer's demonic spirit invading the curvaceous body of nurse Sherri(..big-chested Jill Jacobson)targeting each one using her as a tool of vengeance. Forced against her will, with no memory of inflicting such harm, Sherri's host body murders selected victims. Fortunately, Sherri's fellow co-worker, nurse Tara(Marilyn Joi)begins a rather blossoming romance with a blinded patient, Marcus Washington(Prentiss Moulden), once a star football player, whose mother was a practitioner of voodoo. Through Marcus' knowledge, passed down from mom, Tara finds out about possession and how to possibly save Sherri before she murders everyone unknowingly. Meanwhile, Sherri's lover, Dr. Peter Desmond(Geoffrey Land)worries about her present condition and welfare.

Well, this was my first Al Adamson film and I must agree with his detractors that, just from this film alone, it seems he holds them together with paper clips and Elmer's glue. The animation with which we see the spirit take control of Sherri is beyond awful and rather laughable. A little soft-core nonsense as filler, some demonic possession thrown in the mix(Sherri actually speaks in another voice when she's possessed), with naughty nurse behavior(..the three nurses focused on in the film all are quite sexually active and free-spirited)and a little bit violence/gore. The film is essentially shot in tiny rooms with dull dialogue from a rather mundane cast. The sexual situations aren't that hard-core and Al often shoots them without revealing all that much. The film looks embarrassingly cheap and there's an absence of thrills, although the chilling score(..which sounds like something from Dark Shadows)does help a little bit. Jacobson and Mary Kay Pass(..as nurse Beth who seems to be a nymphomaniac if she'll even screw a nutty patient, always complaining of illnesses he really doesn't have, with enough chest hair to declare him a Neanderthal)aren't bad looking, and Adamson's story-line, although frail, is somewhat coherent(..it seems he rarely directs films which are). Overall, the movie looks like it cost 5 bucks and Adamson just can not overcome the budgetary restrictions(..or, in my opinion, create an unpleasant enough atmosphere due to a sometimes plodding narrative and tedious scenes which do little for the story). John F Goff has the role of the hospital's psychiatrist who wants to commit Sherri, not believing the idea that she was possessed;he constantly bickers with Peter over her. I watched the unrated 'lost' version which I guess is the real version to watch of Nurse Sherri. negative negative +This fantasy was utter garbage. I thought Michael Moore cornered the market on ridiculous anti-government movies, but this one was far worse than anything he ever did. No wonder critics of the British media complain it's driven by tabloid journalism. This movie is a left-wing loony's greatest fantasy come to life on the big screen. Anyone even slightly to the right of such rabid Bush-bashers should be appalled it ever got funding to be made. I'm sure it will do well in Syria, Iran, Pakistan, and North Korea, though. It's hard to believe that in these days of insane Muslims blowing up innocent commuters there is anyone in the U.K. who thinks Britain should surrender in the war on terrorism. I guess it's no longer the country I admired for standing alone against the Nazis nearly 70 years ago. All hail Neville Chamberlain and the pathetic policy of appeasement! negative negative +This movie is a mess. I'm surprised it even has a theatrical release. WIthout Robin Williams it would have gone straight to video. It is poorly written. It is poorly directed. It's worse offense is that it has taken an interesting topic and reduced it to a ridiculous and BORING thriller that has no thrills and no suspense and no inner or emotional logic.Especially after the first half hour the movie dovetails into a series of ridiculous set pieces that are so over the top that the audience I saw it with was laughing at it. Save your money. The trailer is totally misleading - it is not suspenseful and there are no thrills - in fact the movie's truly worst offense is that it is simply boring. negative negative +It's rare that I feel a need to write a review on this site, but this film is very deserving because of how poorly it was created, and how bias its product was.

I felt a distinct attempt on the part of the film-makers to display the Palestinian family as boorish and untrustworthy. We hear them discuss the sadness that they feel from oppression, yet the film is shot and arranged in a way that we feel the politically oppressed population is the Jewish Israeli population. We see no evidence that parallels the position of the Palestinian teenager. We only hear from other Palestinians in prison. I understand restrictions are in place, but the political nature of the restrictions are designed to prevent peace.

I came out of the film feeling that the mother of the victim was selfish in her mourning and completely closed minded due to her side of the fence, so to speak. She continued to be unwilling to see the hurt of the bomber's parents, and her angry and closed-minded words caused the final meeting to spiral out of control. It is more realistic, in my mind, to see the Israeli mindset to be a root of the problem; ignored pleas for understanding and freedom, ignored requests for acknowledgment for the process by which the Jewish population acquired the land.

I have given this a two because of these selfish weaknesses of the mother, which normally would be admirable in a documentary, however in the light of the lack of impartiality, it all seems exploitative. Also for the poor edits, lack of background in the actual instance, and finally the lack of proper representation of the Palestinian side. Ultimately, it is a poor documentary and a poor film. I acknowledge this is partially the result of the political situation, but am obliged to note the flaws in direction regardless of the heart-wrenching and sad subject matter. negative negative +This is the absolutely worst piece of crap I've ever had to watch - actually it was so bad that I just HAD to watch it :-)

The CGI is sooo bad it's fun! It's not even close to the shitty CGI animations in Spawn, that's how bad it is, har har har...

I'm amazed over the fact that some distribution company actually has put money down to release this on DVD, but I guess they'll get more money out of it that way, 'cos the cost of making it can not have been more than a few hundred dollars.

It's so awful that a kindergarten class could have made it.

See it and laugh! negative negative +I thought Hedy Burress (who managed to escape from the watery grave of part one) was going to be in part 2 Guess not. I just think they should of killed her off like in Friday The 13th Part 2 (you know what I mean).

This movie like Scream 3, and Urban Legend 2 followed movies within a movie.

This was PURE CRAP! The whole Movie within a Movie crap.

BAD STAY AWAY! negative negative +Seems everyone in this film is channeling Woody Allen. They stammer and pause and stammer some more. Only for REALLY die-hard DeNero fans! It tries to appear as edgy and artistic - but it comes off as looking like a very, very low budget film made by college students. The most often used word in the whole film is 'hum'. The film does peg the atmosphere of the late sixties/early seventies though. If you like films where people are CONSTANTLY talking over each other, horrible lighting (even if it is for 'art's sake'), and makes you feel like you are sitting in on a lame political meeting, then you might like this - but you need to be really bored. I found this CD in the dollar bin and now I know why. negative negative +What did producer/director Stanley Kramer see in Adam Kennedy's novel and Kennedy's very puzzling screenplay? Were there a few pieces left out on purpose? And what about Gene Hackman, Richard Widmark, Edward Albert, Eli Wallach and Mickey Rooney? What did they see in this very muddled story?

And why did Candice Bergen, who gave a horrible performance, accept such a thankless role?

The Domino Principle wants to be on the same footing as The Parallax View or The Manchurian Candidate and misses the mark by a very wide margin. A major misfire by Stanley Kramer. negative negative +This sci-fi adventure is not the best and by no means the worst. I agree with the statement that bad sci-fi is comical. Bizarre pink tinting and unusual special effects make this a favorite for the late, late, late show viewers. Space explorers on the planet Mars fight off strange giant amoeba-like monsters and other strange creatures. Pretty cool.

The cast includes Les Tremayne, Naura Hayden, Gerald Mohr and Jack Kruschen. Get comfy and enjoy. Don't feel bad if you nod off for a moment. I agree with adding this to the list of cult classics to not miss. negative negative +This may very well be the worst movie I'll see if I live to be 100. I think a group of first-graders could have come up with better plot lines as a class project than this. I'm dumber for having watched it, and God have mercy on the souls who were paid to produce this film.

And after I finally turned it off, I actually had the urge to vomit.

No one had a clue about photography when made this. No one had a clue about acting. No one had a clue about just about anything.

I can't believe F/X shows this crap on occasion. The only time I had seen it was on one of the Starz! channels - not even the main one. And it was on at about 3 a.m. at that. negative negative +I'm very disappointed. First of all, the German synchronization is bad. Maybe in the original version (with subtitles) it would have been better, but the whole movie looks like if the director saw Luna Papa and Black Cat White Cat and tried to produce something in this style, too. But failed in every aspect. It's an incongruent mixture of a weird unbelievable story and very childish gags. No atmosphere, no life. Extremely primitive sex-humor. I voted 2, because 1 is the worst, and the other point for 'Sybilla', she's really cute. Sorry - I like 'eastern' movies, but this one is really superfluous. negative negative +It is incredible that with all of the countless crimes that have been uncovered and laid unequivocally at the doorstep of Marxism, from the Berlin Wall to the Gulag archipelago to the Cultural Revolution to the Khmer Rouge, one still finds admirers of Communist totalitarianism in Hollywood and are still making propaganda in its favor. It just shows the moral depravity of Hollywood.

In this particular film a psychotic murderer is glorified. Needless to say that neither his crimes nor his psychotic proclamations were included. That both the director and the actor expect audiences to sit through this seemingly interminable propagandistic film demonstrates the tunnel vision that they have in regards to their object of worship. negative negative +****SPOILER ALERT**** My boyfriend, some friends, and I rented this movie as part of a marathon of really bad movies. We sort of knew what we were getting into. But the lack of plot, direction, and special effects actually left us hoping for a great (or passable) fight scene between the two main characters... the badly rendered swimming cobra and the super violent giant komodo (that ate people like scooping ice cream)... we sort of get this in the end, but had to be cut short due to possibly budget or time constraints? Its one redeeming quality is that its laughably bad, with many salient details pointed out by other readers. I recommend this movie if your into cutting onions to make yourself cry. negative negative +The plot of The Thinner is decidedly thin. And gross. An obese lawyer drives over the Gypsy woman, and the Gypsy curse causes him to lose and lose weight... to the bone. OK, Gypsy curses should be entertaining, but the weight-losing gone bad? Nope. Except Stephen King thinks so. And Michael McDowell, other horror author and the screenwriter of this abysmal film, does so, too. The lawyer is not only criminally irresponsible, he is fat too, haha! The Thinner is like an immature piece of crap for a person who moans how he/she has never seen anything so disgusting than fatness. Hey, I can only say: Well, look at the mirror. negative negative +Ugly women-of-the-cellblock flick rakes the bottom of the midnight-movie barrel, combining pulpy sleaze with the hoariest of girls-in-the-shower clichés. Linda Blair plays an innocent sent to jail (we learn offhandedly she was involved in running over some guy with her car), facing hard time in the Big House with some of the nastiest characters this side of a Russ Meyer pic. Blair is continually pawed at, punched, raped, humiliated and harassed. The dialogue is four-letter-word disgusting throughout, and the flick offers no let-up from its barrage of violence and stupidity. Still, some viewers see this as a camp classic, though perhaps its tongue isn't far enough in cheek. * from **** negative negative +The original story had all the ingredients to make a thoroughly gripping Film. But failed miserably in this version as even Cherie Lunghi was a pale imitation of what she was to become - so much so that I suspected that she must turn out to be an accomplice right to the end. Sherlock Holmes was turned into a warrior quite unlike anything every suggested by Sir Arthur Conn Doyle ? In fact it was Doctor Watson who showed what little common sense that was going. The boot blacked midget from the Andoman islands looked as though he could not fight his way out of a paper bag and what the villain was doing taking tea in Baker Street for a denouement was beyond anything that the old Scotland Yard could ever have dreamed up. So consign this TV Film to their Black Museum please. negative negative +I can laugh at just about anything, but unfortunately there is not a single one to be found in this stink bomb!!!!I honestly watched this movie from beginning to end, and did not even crack a smile. I am shocked that Sandler, Schneider, Spade etc., would put their names on this piece of crap. Worse than the worst that ever came out of the worst that ever came out of former SNL players. What more can I say? How could such tasteless, extremely unfunny drivel come from such a pool of apparent talent!! Maybe I have lost my sense of humor, (not likely), but I cannot remember a movie that I have disliked this much in a long time. What a waste of 2 hours I will never get back. negative negative +I've seen every episode, and the characters have all remained the same self absorbed whinny little brats thought out, there's no character development in 5 years (getting pregnant is not development if your still the same daddies girl, only now Delinda whines to Danny because dad isn't around) Sam never changes or grows, which makes her boring, repetitive and just so annoying its sickening after season 3, Danny is a typical soft character that gets ordered about by everyone in his life, (he has no principals morals of his own) especially Mary and Delinda. The old boring cliché will they wont they on and off relationship does get boring very fast indeed.

James Cann can act and his character is OK to watch, only he is just another hack writers wet dream, an ex CIA man that has huge contacts and training etc so he can stop any thief or cheater known to man, even though the cameras cant do half the stuff they make out its fun for a while, however in 5 years the writers act very dumb, why? Because they have all this expensive and advanced technology, but no simple walkie talkie (communicating is fast and easy) you never see security walking the floor, only when there's a situation, and suddenly everyone is just there.

The plots very quickly move from the cheating and robbing the casino in one way or another, to awful typical American boy girl relation ships, the same done to death material seen all over the world, they have sex, but I hate you, I've always loved you, I think I do but I love her/him instead, but what if, maybe one day blah blah blah.

I'd recommend ''Hotel Babylon'' to people who like Las Vegas, it has so much more going for it simply because the characters are interesting engaging and not forced down our throat for 6 months of the year.

I'm glad to be British – I'd rather see the same actors in 5 different shows rather than 5 years consistently getting worst in the same one. negative negative +I watched this movie on TV last night, hoping for a realistic account of what could happen if there were an outbreak of some highly transmittable disease. I was disappointed, and I think the movie was garbage. It did not seem real to me. Some of the acting was awful, in particular that of the doctor. She was about the worst I've seen. The whole thing played like a CNN 'worst case scenario'. Even the obligatory disaster movie human relations bits didn't seem sincere. I have seen some disaster movies, in particular those weather ones, which are actually so bad they are amusing. This one is almost as bad, but it is not even amusing, it is tedious and boring.Don't bother with this one. negative negative +This movie is not worth seeing, at least not at a cinema. The story is hard to follow and understand (it starts with 10 minutes of something happening 3 years earlier). It's hard to know if this movie is trying to be a comedy or just is so bad/weird that it sometimes seems like it. American sirens and lights on Swedish police cars is just one example. The acting of Persbrandt and Bergqvist is good as usual, but I think Jenny Lampa acting as Jasmin acts very poor. Zara Zetterqvist acts pretty well, she's not been seen as an actor in Swedish movies for a long time. If you still want to see it, wait until it's released on DVD or is shown on TV. negative negative +I don't see the point. It's ponderous. The animated people are creepy (look up uncanny valley). Scenes go on and on and on for very little purpose. The plot is skeletal and must be padded out with lots of meaningless dramatic, screaming roller coaster rides, as if Disney or Spielberg were planning an amusement park ride based on the movie. Most of the characters are annoying and unlikeable. Some of them keep showing up as if they will have something important to add to a climactic scene. They don't. They just vanish with no lasting impact. Somebody summed it up as 'if you don't believe in Santa Claus, you'll be kidnapped on a train on Christmas eve.' That pretty much sums it up. negative negative +I was very disappointed in this film. The director has shown some talent in his other endeavors, but this just seemed to be filler. There may have been a deep meaning behind it, but it seems to me to be nothing but a director who has access to some toys.

I would highly recommend his other works to people, but certainly not this one. As I watched it, I kept on thinking it would pick up after an initial slow period, but it never did. At the end of the movie I was neither entertained nor moved nor thought of things in a new way. I could only say to myself, 'What was that?'

There were a few really striking parts of the film, but not enough to warrant sitting through it again. negative negative +This film was released in the UK under the name Blood Rites. It was banned outright and never submitted again for release.

As The Ghastly Ones, it was supposedly a hit with the horror hungry denizens of New York City's famed 42nd Street Grindhouse circuit. If you are looking for some bloody horror, then you will find it in this film.

Unfortunately to see the developmentally disabled Colin (Hal Borske) chomp down on a live rabbit, you have to put up with shaky 16mm camera work that makes Ed Wood look positively marvelous.

Three sisters are to spend three days in the family homestead with their husbands before the old man's money is disbursed. Naturally, in such a situation, people start dropping dead. Family secrets are exposed and lots of blood is spilled, especially during a gruesome dismemberment.

Maybe it was the bunny bit that the Brits objected to, I know I did. negative negative +I think 'category 6: day of destruction' was very unrealistic. The digital effects where like a children's cartoon.

The actors didn't act realistically, for example, when the girl was shot she acted like she got tomato sauce splatted on her.

The movie was boring but I watched it because it was on.

The only interesting character was Tornado Tommy, he was funny!

Please keep the special effects real.

I liked the comment: 'What did we do to p.i.s.s-off Mother Nature?'

I don't know what else to write to fill up the 10 lines. What else can I say the movie is so boring, I think my comment will be equally boring. negative negative +If you seen Rodney Dangerfield's previous movies and performances, you'll recognise several of the jokes made in this odd piece of dreck. Written like a sitcom, this movie fails to strike any sort of likeable chord throughout, from the self-help doctor played by the aways sexy-as-chopped liver Molly Shannon to the 'I'm fat, and therefore funny' John Linette. The 5 wives themselves are likeable enough, and if this had been done as a pilot for an action-adventure series, it might have worked. Instead, it comes off like a male fantasy that's trying hard not to be politically incorrect. negative negative +This series just gets worse and worse. Poorly written and just plain not funny! The premise is excellent, but the writer's inexperience shines through. By trying so hard to offend no one they end up insulting everyone. Now into the second season the desperate cast have stopped waving their arms about, and resorted to that patronizing, smug, 'Oh, silly you' style acting that comes with a no laugh script. They roll their eyes and shake their heads at each other as if to say, aren't we zany? Isn't this funny? Well, no, it's not actually. Gum disease is less painful. No wonder, with the exception of Corner Gas, Canadians generally avoid Canadian TV. Come on CBC you're suppose to be our leading station showcasing the best of Canadian talent. Pull the plug on this amateurish mess. negative negative +The only reason anyone remembers this steaming load of fecal matter is because it was scored by Pink Floyd. (Or as they were known then, 'The Pink Floyd'.) Stefan, a really annoying Eurotrash hitchhiker, hooks up with American model Estelle and they proceed to get high and naked throughout the whole movie...

And the point of this is, what exactly? That drugs are bad? Or only heroin (horse) is? The problem becomes that you don't give a crap about the characters, and for that matter, even Pink Floyd wasn't up to their best work. When Steffan overdoses at the end, you are almost glad to be rid of him because he was so annoying. negative negative +The problem is the role of the characters in the film. Man to Man shows a British anthropologist kidnapping two pygmies and taking them to Scotland and then realising that they are not animals or subhumans but actually equal to himself. The problem is the role of the pygmies in the film - two people who are kidnapped, treated like animals, and yet given such a shallow, stereotypical role within the film... The kidnapper (british anthropologist) ends up being the hero of the film because he 'manages' to relate to the pygmies... No notion of how the two hostages feel, of their point of view, of their ordeal... I find it is a shallow film, with a one sided fundamentally racist view... it never manages to move away from the 'white mans' view negative negative +Having endured this film last night, I turned off the DVD player with a sense of deserving a medal for having the stamina to see it through to the end. Throughout the film I felt that I was watching the storyline fillers that you get in a high budget porn movie. the acting was stiff and taut, camera work appalling, and the locations and sets were so poor it felt like they had borrowed them from the local High School 'Amateur Dramatic's Society'.

The only saving grace for this movie was that it had Amy Adams and Harriet Sansom Harris in its credits, other than that it was pure dribble. negative negative +It was funny because the whole thing was so unrealistic, I mean, come on, like a pop star would just show up at a public high school and fall in love with the girl who happens to be obsessed with him? Come on, people!

Everyone but the lead girl were completely horrendous at acting. The dialog was cheesy, the premise was stupid, and the camera work was poorly done. I felt like I was watching a badly made home video.

I feel as if I've wasted almost 2 hours of my life that I will never get back.

I don't have anything else to say, except that I'd rather punch myself in the face multiple times, than watch this movie again. negative negative +Someone should tell Goldie Hawn that her career as a teen-age gamin ended thirty years ago.

This is one of the worst films released in years, an unequivocal disaster in which the two leads give themselves over to a frenetic exposition of their trademark tics in an effort to make up for a bad script and bad directing. This thing should have been smothered at birth.

I hope John Cleese got paid a lot for having his name attached to this disaster. He is the only performer who came through this stinking mess more or less unscathed, his only fault being a failure to realize that the rest of the cast would sink the picture. negative negative +Following the World War II Japanese attack on U.S. forces at Pearl Harbor, 'The Eastside Kids': Leo Gorcey (as Muggs), Bobby Jordan (as Danny Connors), Huntz Hall (as Glimpy), David Gorcey (as Peewee), Ernest Morrison (as Scruno), and Bobby Stone (as Skinny) want to serve their country. But, both the U.S. Army and Navy reject them as too young. Still wanting to 'knock off about a million Japs', the 'boys' attack an Asian clerk, who turns out to be Chinese. The unfortunate incident does, however, lead the gang to help uncover some really nasty Japanese and German people.

If 'too young' is defined as 'under twenty-one', only Mr. Jordan and Mr. Stone would be rejected for military service. But, it's possible recruiters were turned off by the office manners displayed by Mr. Gorcey and Mr. Hall. 'Let's Get Tough!' was made during what the script accurately describes as 'open season on Japs' - for this and other reasons, it hasn't aged well. It's a wasted effort, but the regulars performs ably, with Tom Brown moving the storyline along, as Jordan's spy brother.

*** Let's Get Tough! (5/29/42) Wallace Fox ~ Leo Gorcey, Bobby Jordan, Tom Brown negative negative +seriously what the hell was this movie about,,simply stupid,,i'd give it 0 but,,,1'awful' is the lowest you can go,,seriously this movie is not worth watching,,waste of time, i don't know what the hell is wrong with you guys voting this movie 7 out of 10,,i seriously can make a better movie than this , hire some other unemployed people,,'n i promise i'll make a movie better than this,,this movie was so bad,,that i'll never watch a movie starring Steve Carrel again,bottom line don't waste your time to download it off the net or rent it,,i'd nominate this movie for the worst movie of the century i mean the worst is Something Gotta give but after that this is the second negative negative +This was just plain terrible. I read this book for school, i made As on all of the tests, and to see it like this! My teacher forced me and 20 other people to watch it, and it was worse than Leonard Part 6, Plan 9 from Outer Space, and Hudson Hawk put together. The thing that made this film so terrible was enough reasons to want to kill yourself over. First of all, it was made on Hallmark. Second, the acting was terrible. Third, it was like completely different from the book. Literally, it was so bad I asked myself to be excused. Basically, I would rather watch Basic Instinct 2 than watch this. Take my advice, don't watch this film. No one would want to watch this. It was horrible. HORRIBLE! negative negative +Freeway Killer, Is a Madman who shoots people on the freeway while yelling a bunch of mystical chant on a car phone. The police believe he is a random killer, but Sunny, the blond heroine, played by Darlanne Fluegel detects a pattern. So does the ex-cop, played by James Russo, and they join forces, and bodies, in the search for the villain who has done away with their spouses. Also starring Richard Belzer, this movie has its moments especially if you like car chases, but its really not a good movie for the most part, check it out if you're really bored and have already seen The Hitcher, Joy Ride, or Breakdown, otherwise stay away from the freeway. negative negative +Wow this movie sucked big time. I heard this movie expresses the meaning of friendship very well. And with all the internet hype on this movie I figured what could go wrong? However the movie was just plain bad. It was boring and the character development was never there. Space Travelers was also a horrible movie, if you didn't like that movie there is no way you will like this. negative negative +This may just be the worst movie of all time. Never have I seen such horrible film making before in my life. Its so bad I think I want to go watch Barney instead. I advise everyone who reads this to write a petition to get this movie off of our film history so we can never hear from it again. I give it 1 out of 10. negative negative +Definitely the worst movie I have ever seen... Can somebody tell me where should have I laughed? There's not a single hint or shadow of an idea. The three leading actors are pestilential, especially the one (I think it's Aldo) from Sicily who _can't_ make a Sicilian accent!!! Not to say about the dream-like insertion about Dracula... just another expedient, drawn from the worst cabaret tradition, to make this 'film' last a little longer. Massironi and Littizzetto do what they can, but this so-called movie was really too, too hard to rescue. I would have given it '0'/10, but the lowest mark was 1/10 and so I had to overestimate it by one mark. negative negative +Ever wanted to see how low a movie could sink? Well, look no further! This movie has it all!

Racism jokes, handicapped jokes, overweight jokes, suicide jokes, murder jokes, drug jokes, animal abuse jokes, eating dirt jokes, old man young wife jokes, cancer jokes, gay jokes, crap jokes, falling flat on one's face over and over jokes, overuse of blood jokes, rape jokes, pee jokes, alcohol abuse jokes, anal rash jokes, a bunch of people yacking their coffee back up jokes, nudity jokes, see who can say the most swear words in one scene jokes, lesbian jokes, girlfriend abuse jokes, and the list goes on and on people!

The worst part is: none of it is funny! (Not that anyone would find most of those funny to begin with.) It seems that when it just can't get any worst, it pushes your expectations to an all new bottom, as it always seems to find another to make the viewer feel worse. There was one scene that had me almost throw up and almost completely depressed at the same time. I don't think I need to point out which one, but then again, I'm sure there are other scenes that will give people this same feeling.

There was one moment at the end of the movie that actually made sense and was slightly realistic, when suddenly one of the characters in the scene was piled on with the nastiest remains of a trash bag and thrown several feet on the ground only to have a bunch of beer bottles smashed into his head. All of this probably when he least deserved it. So all thought of a 1 more point redemption was quickly regarded. This is indeed a terrible movie. This is one that needs to be studied and bisected into small parts at a film school to teach students what not to do. negative negative +Honestly, I can't be bothered to spend my time writing about this milestone of cinematic incompetence - life is simply too short. What I will say is that, Alone In The Dark succeeds in only three things: 1. It will make you laugh, but for all the wrong reasons. 2. It manages to throw several useless plots into the air but dropping all of them.

and

3. It utterly disgraces the classic PC game on which it is supposedly based by being a complete failure in all aspects of film-making.

Doctor Boll, if that is indeed what you are (I'm thinking proctology here), what on Earth are you doing in a director's chair? negative negative +I don't think this movie was rated correctly. I took my copy and blacked out the PG rating and wrote down R. I would NOT recommend this for anyone under 17 or 18, whatever the R limit is.

Why? It contains a scene in the jungle with several topless Indian women. I don't know about you, but that's not something for little children to be watching. True, it might be the traditional 'clothing style' of the African (?) Indians, but... I think partial nudity should give a movie an R rating.

I haven't seen the movie recently, but I guess otherwise, it was alright. negative negative +This movie was sooooooo sloooow!!! And everything in it was bland, the acting, the plot,etc. It was such a disappointment, since the description looked so good! Do not be fooled! This movie is not worth the time it takes to watch it!!! negative negative +This movie forever left an impression on me. I watched it as a Freshman in High School and was home alone that night. I think I lost all respect for Robert Reed as an actor having been a huge fan of the 'Brady Bunch'. I also thought the role of Chuck Connor was horrendous and evil. However, this movie made such an impact on me that I am now a volunteer in the women's state prison doing bible studies and church services and trying to change womens lives, one at a time. What fascinates me is that so few people actually watched this movie. None of my friends watched it and my family is clueless to this day when I discuss this movie because they didn't see it. negative negative +This movie is one of the most wildly distorted portrayals of history. Horribly inaccurate, this movie does nothing to honor the hundreds of thousands of Dutch, British, Chinese, American and indigenous enslaved laborers that the sadistic Japanese killed and tortured to death. The bridge was to be built 'over the bodies of the white man' as stated by the head Japanese engineer. It is disgusting that such unspeakable horrors committed by the Japanese captors is the source of a movie, where the bridge itself, isn't even close to accurate to the actual bridge. The actual bridge was built of steel and concrete, not wood. What of the survivors who are still alive today? They hate the movie and all that it is supposed to represent. Their friends were starved, tortured, and murdered by cruel sadists. Those that didn't die of dysantry, starvation, or disease are deeply hurt by the movie that makes such light of their dark times. negative negative +I am a huge Michael Madsen fan, so needless to say, i bought this movie without even renting it or anything... This movie was so horrible, i didn't even take it back to the store, i wouldn't want anyone else to be subjected to this human poison, i just threw it in the trash, never mind the money, it was worth the price to be able to throw it away. The acting wasn't that bad, it wasn't good or anything. The story was horrible, and the ending was something i despise. He was a broken man, alcoholic. his life was a bunch of junk. i thought his horse, peanuts, was an awful device to show his childhood innocence, a dog would have been much much better. i also hate religion, so this ending without a doubt angered me. Jesus heals all... i hate that i know people just like this that are huge Christians and catholics, and time will show that god doesn't heal all, or anything. It was a horrible movie, if u have the option to see it, pass, or better yet buy it, or rent it, and throw it in the garbage, and leave the coffee grounds on it in the morning negative negative +If you are looking for a film the portrays the pointless and boring existence of middle class lives caught in a web of non-communication and false ideals, then this is the film for you. If you also what the film to be engaging and keep your interest, then you should probably look elsewhere. There are many films that do this far better. For example, try some of the darker films by Bergman. The Filmmaker felt that in order to show the spiritual poverty of the middle class he should subject the viewer to one agonizingly dull and vacuous incident after another until the film finally comes to its tortuous and pathetic end. If you value your time there are far better ways to spend two hours, like cleaning your house, for example. negative negative +The earlier review is pretty much on target, which Altman was NOT with this film. I haven't seen it since its original release but I have seldom spent two hours in a theater feeling as miserable and disappointed as I was with this film. If some pretentious community theater attempted a sci-fi version of a Ingmar Bergman film, it might come off like this. I can't bring myself to give anything Altman has made a '1' but this is probably the nadir of a career that has had some remarkable highs and lows. I would have walked out, but as a paid film critic I couldn't. (Think about that the next time you envy movie critics.) negative negative +When I rented this I was hoping for what 'Reign of Fire' did not deliver: a clash between modern technology and mythic beasts.

Instead I got a standard 'monster hunts stupid people in remote building' flick, with bad script, bad music, bad effects, bad plot, bad acting. Bad, bad, bad.

Only reason why I did give it a 2 was that in theory there could exist worse movies. In theory..... negative negative +This movie was, of the 67 of 71 best pictures I have seen, by far the worst. First of all, I found the plot line somewhat absurd - the absent husband for 25 years/ still in love/ not even a letter! Give me a break. And why was the guy who was absent for so long coincidentally working on an oil rig next door to the congress-woman's party? This film also exhibited some of the worst stereotyping of African-Americans that I have ever seen. It makes Gone With the Wind (see Prissy) look downright progressive! I have scarcely seen a movie that I disliked this much. UGH! negative negative +Ever since I was eight years old I have been a big wrestling fan. It didn't matter what federation I watched. WWE,WCW,USWA. To me the action is all I watched it for.

May 23rd 1999. That was my 19 birthday. I ordered Over the Edge and I was just expecting another pay per view. But this time. I was wrong. Instead that was the night one of the best wrestlers to come out of Canada a true human being fell to his death due to a stunt gone wrong. Not much you can do to change the situation. But what happened affter Owens death made me very mad.

Rather then ending the pay per view and doing the right thing as human beings the WWE decided to protect what comes first and that was the money by keeping the pay per view going as if Owens death never happened.

I gotta tell you. Vince Mchmaon has made some stupid decisions in his life but this was by far the stupidest decision he ever made.

And this crap with saying Owen would have wanted the pay pew view to keep going. Give me a break. When someone dies on a pay pew view its comon sense to stop it. Thats like a police officer shooting a robber or a mugger with a run and then just leaving the man to die so he can go home and call it a day as if the mans life never mattered.

But no matter what happens. Owen will be missed and thanks for the memories for all the times you gave us. negative negative +I picked up this DVD for $4.99. They had put spiffy cover art on the package, along with a plot summary that had nothing to do with the movie. The acting is terrible, and the writing is worse. The only possible way this movie could be redeemed would be as MST3K fodder. I paid too much. negative negative +My Wife and Kids was billed as the 00s very own Cosby show- but unlike the latter, it was unfunny and unwatchable. In fact, it is so poorly written and some of the jokes revolve around Michael mickey taking Michael Jr's dumbness and the fact that he is such a loser- which got more and more tedious and annoying as the show went on.

What was supposed to have been a promising hit, eventually turned into a dumb, silly show later on where the ideas became so OTT and ridiculous. And as for the second Claire, i ended up disliking this character so much: she became a spoilt, childish and moaning teenage brat, in most of the later episodes.

MWAK was no Cosby show trend setter, rather it was just a poor black sitcom by general standards. negative negative +Quite possibly the worst movie I've ever seen; I was ready to walk out after the first ten minutes. The only people laughing in the theater were the tweeners. Don't get me wrong, I love silly, stupid movies just as much as the next gal, but the whole premise, writing and humor stunk. It seemed to me that they were going for a 'Napoleon Dynamite' feel - strange and random scenes which would lead to a cult audience. Instead, it ended up being forced, awkward and weird.

The only bright light was Isla Fisher and I just felt utterly awful that she (and Sissy Spacek) had signed up for this horrible thing.

Thank gosh I didn't pay for it. negative negative +Think you've seen the worst movie in the world? Think again. The person who designed the cover of this box should be accused of false advertising. The cover makes it look like a good, scary horror suspense thriller. But, no. What we have instead is NIGHTSCREAM. A movie that makes a 'sweeeoooowww!!' noise every time a credit flashes across the screen. The biggest name in the entire film is probably Casper Van Dien who hardly has a part.

I voted a one for this one only because I couldn't vote any lower. If I could vote something like negative five-thousand, trust me, I would have. So, for now, I'm going to give NIGHTSCREAM 1/2* out of 5 just because it ended. negative negative +I saw this movie in the theatre and it was a terrible movie. The way Michael Oliver who now turn even worse in the sequel is the biggest intolerance I cannot bare. Junior upset his father because he would not go to school which got his father Ben madly insane. Also the Crazy Dance ride operator is not fair to Junior for not letting him go on the ride. And that Lawanda Dumore is as horrible as a serial killer to Junior because she made threatening insults to Junior which is why I cannot tolerate this movie. Even if the movie is re-released back into theatres in the extended version, I still would not see this movie because this movie is not something I can even tolerate. In fact, it stinks! negative negative +Some slack might be cut this movie due to the fact that it was made in 1979. That much said, it really is pretty dire.

Never mind the laughable back-projection or the awful, awful camera-tracking of supposed 'in-flight' objects, it's the stunts that the Concorde pulls off that will have you blinking in disbelief at the absurdity. Barrel-rolls, loop-the-loops and violent 'evasive' maneuvers left me wondering why the Air-Forces of the world didn't just fly Concordes as their main fighters.

So, here are the important lessons I learned from this celluloid cheese-fest:

1. The Concorde is at least as agile as a Phantom 4 jet-fighter.

2. You can fire a flare gun at Mach 2 simply by opening the cockpit window and sticking your arm out.

3. If the flare gun fails to discharge, do not drop it, as it may then go off.

4. The Concorde can dodge up to two Sidewinder missiles fired at it at once.

5. A flare will distract a heat-seeking missile every time.

6. Switching off your jet-engines is a sure-fire way of throwing heat-seeking missiles off track if 5 (above) fails.

7. When performing a crash-landing in the Concorde, it is apparently impossible to jettison your fuel beforehand.

8. Concorde pilots are all combat-trained veterans.

As you might imagine, this film is not very realistic. The effects are primitive by today's standards and that, coupled with the nonsense acrobatics the Concorde performs, makes this a movie deserving of little but scorn.

Not recommended. Not recommended at all! negative negative +Not long enough to be feature length and not abrupt enough to a short, this thing exists for one reason, to have a lesbian three-way. There are worse reasons to exist. One sad thing is that this could have made a decent feature length movie. Misty fits snuggly into her outfit and is a very cocky girl and when people are so infatuated with a game character, like Lara Croft, that they make nude calenders of her, you know that a soft-core flick is set to explode. Unfortunately, this is pretty pathetic. Especially the painfully fake sex scene between Darian and Misty, where you can see her hand is fingering air. Watch this if you just can't get enough of Misty or Ruby, who makes a nice blonde and has zee verst jerman akcent ever. negative negative +Lady in Cement - PI spoof with ole Blue Eyes.Frank Sinatra is a shamus on a houseboat in Miami in this rarely funny 'comedy'.Burdened by an annoying and repetitious Hugo Montenegro score and bunch of misfiring punchlines this 1968 flick just never rises above slightly too bawdy to be on TV made for television movie status.Dan Blocker is effective in the Mike Mazurski/Ted De Corsia big galoot role and Raquel Welch should thank her personal trainer.The only thing that makes the DVD worth keeping or seeing is the collection of cheesy trailers for Welch flicks like Bandolero,Fantastic Voyage , Mother ,Jugs & Speed and Myra Breckinridge.Even if you get the DVD-skip the predictable movie and go for the trailer library in the special features.Besides tons of mysoginistic asides-Sinatra lisps @ the homosexual owners of the local Go-Go bar.A relic that needs to be put back in the time capsule. D negative negative +Do not see 'Mr. Magoo.' It is one of the worst movies I have ever seen. Leslie Nielson was not funny in it. He has not been funny since the Naked Gun movies. Well it won't take long to figure out that this is not a Naked Gun movie! The movie's plot is ridiculously foolish. Nothing in the entire movie was funny. The first few minutes of the film were animated to look like the old Magoo cartoons. I wish the movie would have stayed that way. negative negative +L'Auberge Espagnole is less funny and less interesting than any episode of Dobie Gillis. Where is their Bob Denver? Do they even have a Dwayne Hickman? A French man moves to Barcelona to attend classes. He moves in with some other students who are no more interesting than himself, and they do and say uninteresting things. This movie is unbelievably bland. The only bright spot was a pretty French girl who played a Belgian lesbian. She places her hands behind her head and reveals shaven underarms, not the usual tufts of dark, smelly hair. But bare armpits does not a good movie make. L'Emmerdeur was funny, so was La Cage aux Folles. L'Auberge Espagnole and Le Placard makes you wonder what is going wrong with French comedy. negative negative +This movie was bad but it was so bad that it may reach cult status in the distant future. A sort of film-noir meets Plan 9 From Outer Space. The story was, well, there wasn't actually a story. There is a place reserved for the Ed Woods and Russ Meyers of the world and this film proves it. 'So bad it might be good' is the best way to describe it. I seriously doubt if this movie will be picked up by any legitimate distribution company therefore it is unlikely to see wide release.

I will add that I expect to see more of actor Ron Carey. He made the best of what he had. The rest of the acting, if I can call it that, was quite forgettable. I have seen worse from big studios with vast budgets. negative negative +I was a fan of Buffy and hoped it would come to a proper end when Angel got only one more season. But when the end came closer I was exited to see that. And what did we get? This episode called 'NOT FADE AWAY' was the very last one.

I was so disappointed by this episode. This is absolutely the worst way to this series. Why couldn't it get a happy ending? Why did have a few of the main characters to die? Why did Angel not become a human and was reunited with Buffy again? No. Angel has to sign this bloddy piece of paper that he'll never become a human. How stupid.

And the end is a cliffhanger.

What could have been worse? The Buffyshow began so great, such as Angel, but the hole Universe ended so crappy. Somebody should put a spell on the man who wrote the screenplay to this episode and make sure he get's lost in hell.

So don't bother watching this, it's so bad, it hurts! Totally 1 out of 10. negative negative +Well, sorry for the mistake on the one line summary.......Run people, run!! This movie is an horror!! Imagine! Gary Busey in another low budget movie, with an incredibly bad scenario...isn't that a nightmare? No (well yes), it is Plato's run...........I give it * out of *****. negative negative +If you watched Pulp Fiction don't see this movie. This movie is NOT funny. This is the worst parody movie ever. This is a poor attempt of parody films.

The cast is bad. The film is bad. This is one of the worst pictures ever made.

I do not recommend Plump Fiction. I prefer the original Pulp Fiction by the great Quentin Tarantino. This is one of the worst parody films ever made.

Plump Fiction is not a good movie. It is not funny. It is so dumb and vulgar. negative negative +'Plants are the most cunning and vicious of all life forms', informs one dopey would-be victim in 'The Seedpeople', a silly, flaccid remake of 'Invasion of the Bodysnatchers', 'Day of the Triffids', and about a thousand udder moovies. And why are seeds moore dangerous than plants, one might ask? Because, according to the same dolt, 'seeds can chase us'. Yes, I can remember one horrifying incident when the MooCow was just a calf, being chased all the way home from school by ravenous dandylion seed... Yeah, right. Unfortunately, the 'monsters' in this seedy little turkey kind of look like shaggy little muppets, some of which roll around like evil tumbleweeds, others which sail about on strings. There's not even the tiniest inkling of terror or suspense to be found here. For reasons left unexplained, the seed monsters are knocked out by 50 volt ultra-violet lights, even though they can walk about in the daylight, which has about 1,000,000,000,000 times more uv energy. As you can see, not much thought was put into this cow flop. The MooCow says go weed yer garden instead of wasting your photosynthesis here. :=8P negative negative +if they gave me the option of negative numbers I'd use it. This movie was truly god-awful. I went into the theaters expecting it to be horrible, and it somehow managed to exceed my expectations.

The script was weak, the acting was painful. I wanted to walk out but my friend was driving and wanted to get her moneys worth, I think we were both disappointed.

The growing of the breasts when the girls got their super power and changing of the hair color was just wrong. Eddie Izzard just seemed wrong for the part of super villain, he came off as oddly weak and silly. Jenny Johnsons (Uma Thurman) came off as psychotic and strange, as did Matt's (Luke Wilson) friend Vaughn (Rainn Wilson. negative negative +John Candy was very much a hit-or-miss comic actor. His death was a tragedy and we all miss him a lot, but WAGONS EAST, in which he plays a bumbling wagonmaster who agrees to take a group of pioneers out of the wild west, is even sadder. I don't understand why it was even released. The story is pointless and weak, and the jokes aren't there. It saddens me even further that Candy's last film would be his all-time worst movie. So let's forget all about this one and remember him in his better films such as SUMMER RENTAL, PLANES, TRAINS AND AUTOMOBILES and UNCLE BUCK.

0 out of 5 negative negative +Bored Londoners Henry Kendall and Joan Barry (as Fred and Emily Hill) receive an advance on an inheritance. They use the money go traveling. Their lives become more exciting as they begin relationships with exotic Betty Amann (for Mr. Kendall) and lonely Percy Marmont (for Ms. Barry). But, they remain as boring as they were before. Arguably bored director Alfred Hitchcock tries to liven up the well-titled (as quoted in the film, from Shakespeare's 'The Tempest') 'Rich and Strange' by ordering up some camera trickery. An opening homage to King Vidor's 'The Crowd' is the highlight. The low point may be the couple dining on Chinese prepared cat.

*** Rich and Strange (12/10/31) Alfred Hitchcock ~ Henry Kendall, Joan Barry, Percy Marmont, Elsie Randolph negative negative +What a horrible comedy. Totally lame. The supposed 'humor' was simple and stupid. Stanly Tucci (a great actor) had the only parts worth chuckling at. And he was tied up and gagged at the time. Don't waste your time with this one. It deserves a 0/10. negative negative +I was looking for a documentary of the same journalistic quality as Frontline or 'Fog of War' (by Errol Morris). Instead I was appalled by this shallow and naive account of a very complex and disturbing man and his regime: Alberto Fujimori. This movie should be called 'The return of Fujimori'. The director presumes she made a 'perfect' movie because alienates both pro and anti-Fujimori factions when in fact it is a very biased and unprofessional piece of work.

The movie has few crucial facts wrong:

1) She uses the so called 'landslide' election of 1995 in which Fujimori was re-elected with 65% of the vote, as an example of the massive popular support of Fujimori. But we all now know to be the fruit of a very organized electoral fraud.

2) The movie states that Sendero Luminoso (Shining Path) killed 60,000 people. In fact, the Truth Commission's final report states that there were 69,280 deaths due to political violence in Peru. 33% of those were caused by SL. That leaves the other 67% in the hands of the police, military and other groups. The fact that she uses the same misleading information that Fujimori has been using for 10 years it is another example of how terrible this movie is.

For any person with some education on Peruvian politics and history, Fujimori is clearly a consummated manipulator, a delusional character and remorseless egomaniac. His regime was very far from being democratic. He is still a menace to Peruvians. Despite these facts the director lets Fujimori tell the story. Not only on how he wants the camera to be positioned but the narrative and direction of the film seem to be part of his political agenda. He always seems to have the last word. There are no journalistic 'cojones', just soft questions and unchallenged remarks. Where is Oriana Fallaci when we need her? The director, when questioned after the screening, didn't hide the fact that she was deeply impressed by Fujimori, his charm and intelligence. Yes, she has been definitely charmed by him, and you can tell by looking at this film. It's obvious she has a very hard time to digest the multitude of facts that point towards his responsibility on the corruption, murder and deception that took place. She assured the gasping audience that Fujimori was really a 'patriot' when few moments earlier, one of the leading Peruvian journalists was very adamant in telling us that Fujimori was, above all, a 'traitor'. She went on to say that despite all the accusations not 'a single dollar' was found on any bank account on his name, etc, etc. It was like hearing again the same gang of ruthless thugs that ruled the country for 10 years defending their master. It was a sad moment for journalism.

This film makes injustice to history. It is an insult to hundreds of dead people, disappeared or unjustly incarcerated by Fujimori's regime. No wonder she later confessed that all the Peruvian intellectuals she befriended while making the movie felt betrayed by it. Unbiased? The words 'oportunistic', 'naïve' and 'denial' come to my mind instead. negative negative +Warped take on the Pinocchio theme, and set during the Christmas season(..after the previous entry abandoned ties to Christmas) has booby-trapped toys sent to murder a child(..yet through this, other victims are accidentally harmed in the process)perhaps by a toy maker's 'son'. Screaming Mad George was responsible for the killer toys(..including a larvae which enters a victim's mouth and out his eye, another where soldier toys actually shoot real bullets at a babysitter after her boyfriend was practically strangled by a severed hand toy, operating from a remote control). The little target is a mute child named Derek(William Thorne)whose stepdad was murdered by a red ball with extending arms that ensnare his face, causing him to land on a fireplace poker. Mother Sarah(Jane Higginson)worries about her son's mental state, figuring his reluctance towards opening presents or, more importantly, talking, derives from watching her husband's horrific murder. Derek's real father, Noah(Tracy Fraim)fears for his son't safety, and informs, reluctantly, his ex-girlfriend Sarah that the local toymaker, Joe Petto(Mickey Rooney)once was arrested for setting traps in toys to harm kids due to the loss of an unborn child when his wife was killed in a car crash..kind of a retaliation in saying that if he couldn't have a son, then others shouldn't either. Still quite a heavy drinker(..often seen swigging Jack), Petto seems to have set aside his feelings towards kids, but his creepy son Pino(Brian Bremer)hasn't and Derek he harbors angst towards. Why? You'll soon understand.

Pretty disappointing special effects and rather goofy premise. Rooney's name adds an allure to the film, gaining it a notoriety, but his histrionics can only help so much. Attractive lead actress Higginson(Slaughterhouse)and Fraim as the man who re-enters her life aren't so bad, but the lame plot that develops is hard to take seriously. I'm guessing that's the point, but Rooney has no reason to be in such a film as this..he has no room to bring any personality to his toymaker other than rage and desperation, quite volatile, barely holding himself together as he explodes in anger towards Pino, when not downing liquor. Bremer is appropriately weird and 'robotic' as Pino, longing to have Sarah as his mama. The practical effects used during the attacks on victims are rather unconvincing..Screaming Mad George's work with Savage Steve Holland was far more effective than what we see in this film. The sex everyone talks about isn't as gratuitous as many would have you believe(..I can't even recall any nudity). Probably the best of the numerous sequels greenlighted, but that's not exactly an endorsement. I'm pretty sure written on paper, this was an entertaining concept, the idea of spoofing Pinocchio using horror elements, but the result doesn't exactly blow you away. negative negative +How can such good actors like Jean Rochefort and Carole Bouquet could have been involved in such a... a... well, such a thing ? I can't get it. It was awful, very baldy played (but some of the few leading roles), the jokes are dumb and absolutely not funny... I won't talk more about this movie, except for one little piece of advice : Do not go see it, it will be a waste of time and money. negative negative +This HAS to be the worst movie I've ever attempted to watch. In the first 15 minutes, there wasn't anything to keep my interest in this movie. I was on vacation at the time, and had plenty of time to devote to a just-for-the-fun-of-it movie. The condo we were staying in had this movie in stock -- they must have got it from the $1 store or something.

If you like Adam Sandler, this is nothing like any other movie he's made. This started with a bad premise and then just got worse. There's nothing even remotely funny in it.

I've watched a lot of movies, including some I didn't care for. But if you decide to waste your time on this movie, don't say I didn't warn you. negative negative +This movie is such a piece of unbelievable crap. First let me talk about the pros: Sandra Bullock in a black bathing suit.

Now the rest of the story which is all pretty much bad. We have said computer programmer Angela Bennett (who's online profile is ANGEL - HOW WITTY!!! I bet the directors cheered over that one for an hour) who basically checks other Company's software for errors/glitches etc. So we start with her ordering pizza on the Internet and then putting on a fireplace on her monitor (EXTREME computer skills shown thus far). This is after she finds some virus on a macintosh program which crashes the whole system after hitting the escape key. This is apparently a HUGE problem yet the virus created to do such could be done in about 1 minute with a simple batch file.

Any event, we move on. She gets this call from some other bloke (that works at the same company) and this fool says to go click this symbol which apparently opens up some secret Internet gateway to a bunch of unprotected 'top secret' data woohoo! Angela saves this crap on a disc and now the people that created this loophole are out to get her. This of course is only after she hooks up with one of the bad guys only BEFORE he tries to kill her BEFORE she jumps in the ocean off his boat, BEFORE she winds up in a random hospital.

Problem #1: You can't create a loophole on the Internet to gain access to a bunch of top secret FBI data. Where the hell did this come from? Since when can a group of hackers control the basic flow of the Internet (even in 95)? Problem #2: Angela would need proper identification before a hospital or clinic would release her. She could not just pack her things and go.

Then these 'hackers' or whatever change Angela's ID so she can't get help from anyone and conveniently enough all her ID is gone. So she returns home and a cat and mouse chase goes on and on and on.

Apparently all police and FBI people are stupid and don't believe her. So then she has to utilize a bunch of tactics to enter into the building where she works (where the person who is now filling in for her is) and get back to her old computer. She starts talking to some other random bloke and finds out who is behind everything through some BS IP address that the director knows the audience is too stupid enough to believe.

Then she runs to some center to mail all this information to the FBI. She apparently HAS to use a mainframe to email stuff to the FBI. But then the same fool that tried to kill her BEFORE throwing her in the water catches her and easily hacks into the FBI again (wtf?). But remember that cool virus? Well somehow she luckily gets that and even though the virus only worked on software, it now works on the entire system too. It brings down the whole mainframe which has all the fake information because the mainframe was just sitting in the middle of some convention... WHAT THE HELL IS THIS CRAP! Anyway, the now uber virus works and Angela (the real one now) runs away and later kills the evil dude with a fire extinguisher. He of course has a gun, runs up to her so he's like 2 feet away and then decides to aim. CLASSIC Hollywood.

All in all this movie is so full of BS and crap. Anyone who doesn't know a lot about computers will be wildly fooled into thinking this crap is possible but not one thing is accurate concerning computers or the net. And I honestly doubt I'd see a multiplatform virus for Mac and a mainframe computer (*cough LMAO*). negative negative +This movie was one of the worst I have ever seen (not including anything by or with Pauly Shore). I couldn't believe that a film could actually be THIS bad!

Coolio has to be the single worst actor (again, not including Pauly Shore) to ever 'star' in a movie. The temptation to hit the STOP button during this movie was huge (in fact, if there was a THROW IN THE TRASH button on my VCR, I would have been inclined to press that).

Do yourself a favor, and do something more interesting than watch this movie, like watching the grass grow, or watching golf on TV. negative negative +After Life is a Miracle, I did not expect much. It's hard to believe that these films were made by the same man as Do You Remember Dolly Bell, for instance. Zavet is two hours of silly antics with no story. The wild and unbridled humor of Underground seems to have degenerated into pathetic buffoonery here. It appears that Kusturica has been going steadily downhill since he started making life-affirming comedies, beginning with Black Cat, White Cat, which I think was great, but already had some disturbing signs of dementia. I liked his early films so much, and this is why it's especially disappointing to see something like this. Let's hope his next one will be great. negative negative +Mom begins at night in the middle of nowhere, at what looks like a wooden building in the desert. A pick-up truck pulls up & an angry Father chucks his slutty daughter Virginia Monroe (Claudia Christian) out & leaves her there, but she isn't alone as the shadowy figure of Nestor Duvalier (Brion James) watches her from a short distance. Virginia tries to make conversation but as she grinds a cigarette out under her Leopard print, thigh high, high heeled boots Nestor grabs her by her throat & drags her off into the darkness. Nestor then rips her top open, turns into a monster & starts to eat her innards. Virginia is the latest victim of a serial killer that have Lieutenant Carlo Hendrix (Art Evans) & the LAPD baffled, or at least that's the message a local TV news reporter named Clay Dwyer (Mark Thomas MIller) is telling his viewers. Clay is happily living with his pregnant girlfriend Alice (Mary Beth McDonough) & therefore his Mother Emily (Jeanne Bates) has a spare room going which she decides to rent out to the 'blind' dark sunglass wearing Nestor. Unfortunately for Emily she accidentally knocks Nestor's sunglasses off which reveal he has strange coloured eyes, Nestor then turns into a monster again & bites Emily turning her into a flesh-eating monster just like himself. Nestor takes Emily out to train her, they find a suitable homeless bum (Rory VanSaint), murder him & eat his guts but Emily's son Clay has witnessed the whole thing & he must choose between doing what is right & his love for his Mother who now just happens to be a grotesque bloodsucking & flesh-eating monster!

Edited, written & directed by Patrick Rand I thought Mom was a pretty awful film. Looking at some of the other comments on the IMDb & the genre listing it has been given it appears many seem to think that Mom is a comedy horror. Well I can tell you now that I didn't see any comedic elements in Mom at all because there aren't any, unless they are very subtle. The only thing that I can assume is that people see comedy in the actual situation which Mom presents, that being an old lady turning into a flesh-eating monster & the predictable problems & emotional angst that it causes to her son who finds out. There are no jokes (apart from naming a prostitute Beverly Hills (Stella Stevens)), slapstick humour or anything even remotely funny in the film itself & as far as I could see it is played totally straight throughout it's 90 minute run time. So with there being no comedy in Mom that must mean there's lots of horror right? Wrong, Mom sucks & is painfully slow to watch especially after the first thirty odd minutes which consist of Nestor turning into a monster a couple of times, biting Emily, showing her how to hunt for food & Clay finding out. Until this point Mom was moving at a fairly decent pace, had some OK special make-up effects & had me interested, unfortunately Mom runs for another hour which is basically the emotional crap suffered by Emily's Son, the eventual breakdown of his marriage & him being torn between love for his Mother & the fact that she's a flesh-eating monster. This part of the film is incredibly slow, boring & as dull as dishwater even having the nerve to resort to a clichéd role-reversal scenario where Clay tells his Mom to go to her room & stay there locking the door behind her, telling her off & putting bars over her window so she can't escape her room. Mom's script totally ignores the monsters origins & ask's us to just accept that this thing exists without giving a single reason why we should, no matter how silly an explanation might have been I think some background to the monster would have helped. Technically Mom is bland & cheap looking, although I can't say it's badly made it's very average stuff all the way with nothing that particularly impresses or anything with which I could make fun of to pass the time. The special make-up effect's on the monster are OK but their used in very quick flashes, blink & you'll miss them. Don't be fooled by any fancy video box artwork like I was, the monster is only in it three times maximum & all of those are within the pacey first thirty minutes. There isn't much gore either, a severed arm, some brief intestine eating, a burnt body & a drill in someone's arm is all we get. The acting is OK but please Mr. Brion James what is that dodgy accent all about!? At least James had the good sense to know he was in crap & sensibly opted to be killed off early on in the proceedings, everyone else are nobodies expect the black Lieutenant who was also a black police officer in Fright Night (1985) but you may recognise him from Die Hard 2 (1990), he made Mom & Die Hard 2 in the same year?! Talk about opposite ends of the spectrum! Overall there is nothing by which I can really recommend Mom as a horror film & it certainly isn't a comedy as far as I'm concerned. Very poor, very disappointing & yet again I've been conned by fancy video-box artwork with lots of stills of cool looking monsters. Definitely one to avoid. negative negative +I say Ben Johnson and my fellow Canadians say, 'Ben Johnson?!' - he was a goddam MOVIE STAR guys, a COWBOY, and by 1976 he was scraping by playing a sheriff in stupid made for TV disaster movies such as this, cashing in on the DEADLY SWARMS OF KILLER BEES that everyone apparently thought were coming to get us at the time. So there's these bees, and they kill some people by flying in their mouth and going after them underwater. Eventually these idiots find the swarm and die and this woman is trapped in her car by the entire swarm. The cops are like, what do we do? Uh, bees die when it's cold. So where could we make it cold? I know - the stadium in New Orleans! So they drive this car and its attendant swarm of killer bees on and on through the streets of New Orleans, with a bullhorn saying 'GET OFF THE STREETS OR YOU WILL BE STUNG TO DEATH.' And the future home of tens of thousands of flood victims with its broken toilets so becomes the narcotic doom of this particular buncha bees. I don't know which is the greater indignity on this great city...well I do, but this one sucks too. Most appropriately viewed on an extremely faded-to-orange 16mm print, although Betamax is a good alternative! negative negative +As a geology student this movie depicts the ignorance of Hollywood. In the scene where the dog grabs the bone from inside of the burning house, it is less then a foot from lava which has an average temperature of 1,750 degrees Fahrenheit. This stupidity is witnessed again when 'Stan' goes to save subway 4. His shoes are melting to the floor of the subway while the rest of the team is standing just feet away from the flowing lava. And to finish off this monstrosity of a film, they come up with the most illogical solution, stopping a lava flow with cement K rails. Earlier in the film a reporters voice can be heard saying that nothing can stop the flow fire fighters have tried cars and CEMENT. Common sense dictates this film is a preposterous and gross understatement of human knowledge. negative negative +Bled is a very apt title for this As you watch it you will feel your life being bled from you . The cliché in horrors is about people doing exactly what they shouldn't ( going down into the basement or going up into the attic) Then the trouble ensues Take heed then DON'T watch this film .Show the brains that victims in horror movies never do Stay clear Do not enter .And if you need anymore incentive This film? is as bad as the worst Uwe Boll film I mean ,The house of the dead bad. I have often thought about entering a review of a film on I.M.D.B. and ,after watching some based on the comments herein ,I discovered I guess everyone's entiled to his/her opinion. Please trust me on mine negative negative +Thinly-cloaked retelling of the Garden-of-Eden story -- nothing new, nothing shocking, although I feel that that is what the filmmakers were going for. The idea is trite. Strong performance from Daisy Eagan, that's about it. I believed she was 13, and I was interested in her character. The rest left me cold. negative negative +awful, just awful! my old room mate used to watch this junk and it drove me crazy. the book is one of my favorites and its a shame that some people will never know what it is really like because their first impressions are from dribble like this. they changed so much it is hardly recognisable. which baffles me since the book reads like a soap opera anyway, providing enough fodder for modern day entertainment. it's like one of those Lifetime movies that say 'based on a true story' but are completely fictional. there is none of the emotion or depth of the book, just mindless melodrama. if you are a high school student looking for a way to get out of reading, i suggest you try another version. negative negative +Now I love Bela Lugosi,don't get me wrong,he is one of the most interesting people to ever make a movie but he certainly did his share of clunkers.This is just another one of those.

Lugosi plays Dr.Lorenz,a doctor who has had his medical license pulled for unexplained reasons.He is however doing experiments to keep his wife young and beautiful.It's revealed that she is 70-80 years old yet Lugosi looks to be in his mid 50's so why he is married to this old woman is never really explained.

Anyway these treatments or experiments involved giving brides who are at the altar being married some sort of sweet smelling substance whereby they pass out but are thought to be dead.Then Lugosi and some of his assistants steal the body on its way to the morgue and take it back to his lab where it's kept in some sort of suspended animation or catatonic state.Then the stolen brides have a needle rammed somewhere in their bodies,maybe the neck,and then the needle is rammed into the body of Lugosi's wife to bring her back to youth and beauty.We never really see where Lugosi sticks the needle or what it is that he draws out of the brides but it somehow restores his wife .Apparently old age makes you scream with pain because Lugosi's wife does a lot of screaming until she gets back to her younger state.Helping Lugosi in his lab is the only good thing about this movie....a weird old hag and her two deformed sons....one son is a big lumpy looking slow acting fellow who likes to fondle the snoozing brides and the other son is a mean little dwarf....little person, to be politically correct in today's world.At night these three just sort of pile up and sleep in Lugosi's dreary downstairs lab.Who these 3 are and how they came to be Lugosi's scared assistants is,like a lot of stuff in this film, never explained.

So anyway a female reporter is given the assignment by her gruff editor to find out where all the stolen brides are going to.She quickly figures out that the one common thing among all the stolen brides is a rare orchid that is found on them.So she asks around and is told that there is a world renowned orchid expert living nearby who just happens to be the one who developed this particular orchid.This expert turns out to be creepy Dr.Lorenz.She quickly tracks him down and upsets his little house of horrors.I'm not sure where the police were during all this but they came in to mop up after the reporter had done all the dirty work.

It seems that Lugosi's movies always had some sort of unnecessary silly plot line that just made the whole thing stink to high heavens.I mean a world famous orchid expert kidnaps brides by sending them a doped up orchid he himself is known to have developed? D'OH!

And then later it's revealed that the young ladies don't even have to be brides for the procedure to work so why would Lugosi keep kidnapping brides from heavily guarded churches for his experiments and create all the attention and newspaper headlines? Why not just grab a prostitute off the street like a normal weirdo pervert would do? This clunker reminded me a lot of another Lugosi stinker,'The Devil Bat'....same silly plot lines and bad acting and same silly 'reporter gets bad guy' deal.

But Lugosi is always good--he is creepy and sinister enough to keep you interested at least enough to keep watching him.The woman playing the reporter was just a terrible actor....she had no emotion whatsoever,she just delivered her lines like a machine gun ,spewing them out as quickly as she could.Everyone else pretty much blew too,when it came to being good actors.

But this thing is watchable ,if only for Bela Lugosi fans.Lugosi was always so intense even when the picture was a dog.He must have known he was doing terrible pictures but maybe he also knew that if he gave it everything he had a little of that intensity might shine through past all the bad plots and bad acting which surrounded him.

And he was right----we horror fans will always have a love for Bela Lugosi.He gave it his all every time he was in front of the camera.We do give two f**ks for you,Bela. negative negative +I know John Singleton's a smart guy 'coz he made Boyz N The Hood, so how did he write and direct this? It's like the pilot of a bad 'going away to college for the first time' teen soap, a parade of boring stereotypes and cliches with some gratuitous violence thrown in to make it a commercial proposition, I guess. Who would've guessed the date-rape victim would dump sausage for seafood? The angry loner would be preyed upon by a group of Neo-Nazis (and would be roomed-up with a black AND a Jew - just for laughs!) Even Laurence Fishburne's creepy reactionary history Professor just irritated me and I love the guy, it's like everyone involved with this movie just lost the plot. Except Busta Rhymes, of course. Big ups. negative negative +My god...i have not seen such an awful movie in a long...long time...saw it last night and wanted to leave after 20 minutes...keira knightley tries really really hard in this one, but she cant handle it..dropped her accent every once in a while and didn't have the charisma to fill the role...sienna millers acting gets you to a point where you start to ask yourself: Has she ever had acting lessons? judging by the edge of love shes never been to acting class, but should consider to go in the near future...they both look really pretty..maybe thats what they should focus on in their future career..if they can be actresses everybody can! negative negative +This review may contain some SPOILERS.

Just when you thought they didn't make them so extremely bad anymore, along comes Rae Dawn Chong as a space vixen and Willie Nelson as a Native American witchdoctor! It's even worse when you factor in that these two are the BETTER aspects of `Starlight,' a film that should only be viewed for laughs.

Chong is an alien sent to Earth to seek out the only remaining half-breed, part man and part alien. Apparently, the Earth is in dire straits. Something is wrong with the genetics of mankind, and in a few decades the world will be turned into a polluted wasteland. Only by duplicating the DNA of the half-breed can the kindly alien race save the planet. Don't ask me how that is, since the movie gives the impression that the world will be destroyed by pollution, which is caused by humans. You would think Earth could only be saved by getting rid of the polluting creatures, not saving them! Anyway, the half-breed turns out to be Billy Wirth, a man living in a small Southwestern town and is part Native American from his mother's line, despite the fact that his mother is a red-headed Caucasian and his grandfather is Willie Nelson. Wasn't this the sort of malarkey that made the bombastic Carmen Electra bomb `The Chosen One' such a howler? Chong arrives in her ship just as Wirth nearly drowns after driving his motorcycle into a lake in a fit of recklessness being the result of just breaking up with his girlfriend. Before you can say utter the word `hogwash,' Chong is revealing her secret to Wirth, who isn't surprised for a moment, and spreading the word to Wirth's family. Chong also makes pals with Wirth's mother, who seems to have lost a few of her marbles over the years. Well, this is because Wirth's father was an alien that abandoned her. Of course, he is the standard rogue alien that has conveniently picked this moment to come to Earth for Wirth so he can use Wirth's DNA to make the people of Earth his slaves. (Huh?) His laughable attempts to use his telepathic powers and capture Wirth suck up most of the screen time and are the worst scenes in the movie. Not only are they boring, but they are the scenes where you will be spotting the flubs the most.

The ideas might be nice on paper, but they are handled here with the utmost of stupidity, particularly in the aforementioned scenes with the rogue alien. But the effects are the bane of the movie. The opening scene involves Chong on her spaceship, communicating with her superior, someone who we do not see but that Chong communicates with through a vat that emits pink light. They use no spoken words, but telepathy, so we are treated to subtitles. Trouble is, both Chong and her superior's subtitles both look alike, and the director gives you no indication as to which of the two are actually `speaking' at any given moment, which makes the whole conversation nothing but gibberish. The spaceship is the worst effect to come out of Hollywood this side of an Ed Wood film. Now, I am usually lenient on effects when dealing with a low budgeted film such as this, but these effects really got to me. The most offensive was the most simple one: a fake night sky. The stars in the sky are so phony they almost sound off a dial tone. Most notably are the moments where Chong tells someone she comes from Pleiades, and we get a shot of the seven stars. Thing is, the seven stars take up about half the night sky in the movie, but any stargazer knows that Pleiades is a star cluster between the constellations Perseus and Taurus, and the cluster doesn't take up much room in the sky at all. These effects just get so lousy that your jaw will hang lower and lower with every passing moment. Be careful, for it will go right through the floor during the finale when the effects have Willie Nelson turn into a human spotlight and . . . Oh, it has to be seen to be believed!

Starlight, star bright; Last star I see tonight; I wish I might, I wish I may; not have to watch any more of this trash today.

Zantara's score: 1 out of 10. negative negative +No budget direct to video tale of aliens in Arizona involving the military and escaped convicts.

Not bad as such, rather it suffers from the cast and crew sort of going through the paces instead of trying to sell it. Its as if they knew they were in a grade z movie and want you to know they know. Then again maybe they just couldn't get it together.

A misfire of a grade z movie that could have been something if some one cared--and had skill. Why must low budget filmmakers insist on not actually trying to make a something good instead of just making a product.

2 out of 10 because nothing comes together negative negative +François Traffaut's 'Mississippi Siren' had an unconvincing plot. The screenplay required too much elasticity in suspension of disbelief. The plot went at a glacial pace. It started off in an interesting setting but soon drifted onto the shoals of melodrama that lacked logic or intelligence. What were the critics thinking? This one is overrated even to be described as a loser. Even Catherine Deneuvue, who charmed in 'The Umbrellas of Cherbourg' and 'Belle Doe Jour,' managed to be simply annoying.

We rented this movie at the same time as we rented another Traffaut film. We watched this one first, and found it to be so bad that we sent the other one back unseen at the same time. negative negative +Ed Gein: The Butcher of Plainfield is set in the small American town of Plainfield in Wisconsin during 1957 where loner Ed Gein (Kane Hodder) lives by himself on a farm after the death if his mother & brother. The local police have had a spate of grave robberies to deal with & when local barmaid Sue Layton (Ceia Coley) suspicions grow that something nasty is going on. Ed is a violent sexually deviant man who kidnaps girls & murders them, will the police figure the truth out in time to save Erica (Adrienne Frantz) the Sheriff's (Timothy Oman) daughter...

Written, produced & directed by Michael Feifer this was an attempt to base a horror film around the true events surrounding notorious serial killer Ed Gein & turns out to be pretty crap. The real life Ed Gein was only ever convicted of two murders & died in 1984 but several films have been inspired by him including The Texas Chainsaw Massacre (1974), Deranged (1974) & Ed Gein (2000) with this fairly recent addition possibly being the worst Gein film ever. Even though Ed Gein was real next to nothing in this film is based on fact, Gein never had an accomplice, none of his victims were related to any of the investigating officers, there was no car crash victim, although Gein keeps his name other people have had name changes, the kidnapping & murder of the two women depicted here actually happened four years apart in reality but in this film it happens over the course of a couple of days & while here Gein is shown as a large hulking muscular man in reality he was a scrawny, thin, old & quite short. As a factual drama Ed Gein: The Butcher of Plainfield is worthless & as pure entertainment it's no better with a deadly dull pace & feel to it, the character's are all boring & when he isn't killing someone Gein is shown working or just walking around & it's very dull. There's no suspense because we know who the killer is & it's just a tedious wait until he gets caught at the end. There is no real attempt to get into Gein's mind with the makers giving him no more motivation than him occasionally having hallucinations of his domineering mother.

There isn't much gore here, there's a scene with a woman hanging on a meat-hook, there's a really badly edited scene of Gein cutting a leg off, there's the usual jars of bodily organs & skulls lying around as well as a bit of blood but there's really not much here to get excited about. The film was obviously processed to bleach a lot of the colour out of the picture as it's not far off black and white at times, I personally think the lack of colour makes it even duller to sit through.

With a supposed budget of about $1,500,000 I can't really see where the money went in a very forgettable production. Although set in Wisconsin this was filmed in California. Kane Hodder is all wrong for the role of Ed Gein, just from a physical point of view Hodder doesn't look even remotely like Gein & he gives a pretty poor performance to as he just stares at the camera a lot making silly faces.

Ed Gein: The BUtcher of Plainfield is crap & it's as simple & straightforward as that. As either a factual drama or pure exploitation entertainment this is total tripe from start to finish with nothing to recommend it. negative negative +How did such a terrible script manage to attract this cast? Ridiculous, predictable and thoroughly unbelievable, this is well-acted and slickly directed, but the material is so bad it still qualifies as one of the all-time worst thrillers I've seen in years. Amazingly bad, and not in a fun way. Avoid at all costs, even if you're a fan of someone in the cast. negative negative +This was a disappointing film. The people seem to have no substance, the lead protagonist Martin Cahil has zero redemptive values, in fact everyone in it including Jon Voight epitomizes sleeze. I would not recommend this film to anyone. The violence is distasteful, though artfully done. The filming is to black, at least the print i saw fit this category. A disappointment. negative negative +No redeeming features, this film is rubbish. Its jokes don't begin to be funny. The humour for children is pathetic, and the attempts to appeal to adults just add a tacky smuttishness to the whole miserable package. Sitting through it with my children just made me uncomfortable about what might be coming next. I couldn't enjoy the film at all. Although my child for whom the DVD was bought enjoyed the fact that she owned a new DVD, neither she nor her sisters expressed much interest in seeing it again, unlike with Monsters inc, Finding Nemo, Jungle Book, Lion King, etc. which all get frequent requests for replays. negative negative +Slow, boring, extremely repetitive. No wonder the Weinstein Company did not buy this. This Spurlock should eat more McDonalds while filming himself, and quit producing. There is no way you can watch this and enjoy. The preacher is a joke. The whole idea is not funny. You can make a 2 minute film with this idea not a feature. I am so sorry I rented this movie. I will never watch anything with the name Spurlock on it. It is completely garbage. Filmmakers like this should be on youtube and never be granted a distribution deal. The film states that the American Consumers and their shopping are at fault for the current depression when shopping and buying products, making money circulate in the system are the base of a healthy economy. negative negative +Why was this movie ever made?They have tarnished the original Caddyshack with this crap.I was only able to watch half of it and i didn't laugh once.At least i didn't pay to see it because it was on t.v. but i won't get back that hour of my life that i spent watching this dreadful mess.There wasn't one original star from the first except for Chevy Chase and he probably regrets doing this film.Jackie Mason was supposed to be the outrageous,funny buffoon like Rodney Dangerfield was in the first but Jackie Mason wasn't funny at all.Jackie Mason is no Rodney Dangerfield.If you want laugh,watch the first Caddyshack.If you like terrible movie's,then this you're movie.This movie stinks like a barnyard in july.Avoid at all cost. negative negative +This movie was not only disappointing to the horror/suspense film lover, it was disappointing to anyone who sees it. WoW. I thought that this film might be funny because the guy with the huge head. However, it was filled with long and drawn out conversation that wasn't needed. There was so much sex that I hate women and men now. This film was not only boring, but there was no substance. Wow. Wow. On to of all this, each scene looks like it was light from a single light bulb, and I think they used the same set for two different lawyers, a restaurant, and an airport. This movie is not for the movie lover who loves bad movies because in the end, it feels likes wasted time. See the movie!

-party negative negative +So, as far as I gather, this episode is trying to make a statement about how real-life villains are very bad people, and this is just as scary as the paranormal. The 'paranormal' imagery associated with the villain, Donnie, is purely symbolic. He's actually just a normal human being.

The problem is that I just don't buy it. Donnie is simply not scarier than the paranormal. He's not even that scary at all. As a guy who seems confused and weird rather than malicious, likes dead girls and hair, and has only newly become a murderer, he's significantly less disturbing than most well-known real-life serial killers (eg: he's like a VERY watered-down version of Ed Gein). Which is why Scully's horror at seeing nothing but bodies with hair and nails cut off (something not too different from a normal personal hygiene routine), before anybody has even been killed or hurt at all, is completely out of character. She sees things a hundred times worse in almost every other episode and hardly flinches.

So, as Comic Book Guy says... 'worst episode EVER!' negative negative +This is possibly the worst of all the Columbo movies. Andrew Stevens' acting is poor as the villain, and the plot is weak. In fact none of the cast seem able to act other than Peter Falk, who puts in a creditable performance as the Lieutenant. negative negative +When you pick a movie I hope one factor you will consider, are the actors in the movie using their fame to influence the moral fabric of our society in a positive or negative way? This is not a political statement this is a moral issue that effects are society. When a comedian/actor makes curl sexual and racist remarks about a teenager and her father we should ask ourselves (do I want to support that behavior)? In this case Mr. Foxx behavior tears at the social fabric that teaches our youth right from wrong, good behavior from bad that loving-kindness is better than hatefulness. Mr. Foxx should remember he is only entertainment and there is a lot of that out there for us to choose from. Saying sorry does not get him off the hook. It will not undue the hurt or remove the bad behavior he spreads to our youth. One way to stop this behavior is to stop being a fan of it. No longer see anything they are part of. We cannot change them but we can stop the fame we give them. negative negative +This was painful. I made myself watch it until the end, even though I had absolutely no interest in the plot, if there was one. My patience was not rewarded. The ending was even worse than the rest of the film. Chucky walks into the hospital with a priest and his concubine says 'I do'. How vile can one movie be? negative negative +This movie has many problem associated with it that makes it come off like a low budget class project from someone in film school. I have to give it credit on its campiness though. Many times throughout the movie I found myself laughing hysterically. It was so bad at times that it was comical, which made it a fun watch.

If you're looking for a low-grade slasher movie with a twist of psychological horror and a dash of campy ridiculousness, then pop a bowl of popcorn, invite some friends over, and have some fun.

I agree with other comments that the sound is very bad. Dialog is next to impossible to follow much of the time and the soundtrack is kind of just there. negative negative +I always hated this retarded show .I liked the shows of Cartoon Network like 'Dexter's laboratory ' or 'Megas XLR .But I never liked this piece of turd . Basically because it have stupid characters (the good or the villains all seems to be mentally retarded ) they have stupid voices (specially Bubbles .She is supposed to be the 'cute ' character of the show ,but she is incredibly annoying ) the story lines are very ,very stupid . Some episodes could have been interesting but almost always the show turns childish and corny . There wasn't any likable character ,the music was horrible ,and the animation is the worst that I've seen . Evena five year old boy could draw better ! I don't see why all the world seems to love this piece of garbage . 'The Powerpuff Girls ' seems to be one of the worst cartoons ever made . Fortunately 'Foster Home for the imaginary friends ' from the same creator was far away better . negative negative +This film is a twisted nonsense of a movie, set in Japan about a dysfunctional family who end up with a strange violent guest who just sits back and watches the 4 members of the family at their worst. Nothing is sacred in this movie, with sex drugs and violence stretched to such a limit i'm surprised it got past the censors.

Overall, i think it will appeal only to those whom we shouldn't be encouraging, rather than any supposed underlying message coming out for the rest of us to consider. A film that panders to the worst element in society and is in anyway utter gash... A disappointment from a man who made the sublime Dead or Alive and Audition movies. negative negative +I wasn't really hoping for much when I went to see this. After Mst3king the heck out of JasonX with some friends though, I was hoping for a similar experience here.

Unfortunately the movie took itself way too seriously. Do I care about Jason's problems? I'm sorry no. There are a legion Ft13th movies that cover that anyway. At at then end of the day, he's an undead serial killer, I'm just not going to get that sympathetic.

Freddy was by far the most interesting aspect of the movie with the hallucinations and what not, but unfortunately they were few and far between and by the end of the movie, it had degenerated into a bad episode of celebrity deathmatch...only not funny.

negative negative +I hated this movie so much I remember it vividly. It is not even funny. Any movie that relies on unfunny sex jokes and racism humor does not deserve the money it costs to make it. In the first half hour, Rob Schneider drinks a carton of rancid milk. All I could think was 'he deserves it, for making such a bad movie'. Don't waste your time or money on this one. negative negative +here, let me wave my hands over the keyboard, i'll tell you what salad she's going to order. over and over, works like a charm: he's such a genius, omg how does he do it? my bullshit detector freaks if i even pass this show when i'm scanning channels, I have to be very careful (these days it's useful far too often, so I don't need it getting broken on idiotic crap like this...careful with that remote!). is this supposed to be some fascist propaganda to make people believe in some invisible realm of uberman control and mastery? or what? why does it exist??

this is THE most inane show, completely unbelievable and contrived, and I cannot understand why it's still on the air. so may geeks give SO much better shows such a hard time (Sarah Connor Chronicles, True Blood), but give this nonsensical drivel a pass. shows like Firefly (if there were any like that) fall away after a season, but mindless stuff like this that makes zero logical sense just keeps marching on. yeccch. negative negative +Being a big fan of horror films and always manage to find something good about a picture, but this film just did not hold my interest or attention. This story revolves around a father and his daughter and a girlfriend, since his wife died a few years back. These people encounter a horrible situation in a town they stop off and visit and all the senior citizens in this town gang up against these people and almost kill them. This film reminded me of a film called 'Children of the Corn' because it really involves children who are being presented to Satan and are his instruments of terror. There is plenty of chants, mambo jumble and a toy tank that completely destroys an entire family in their station wagon as well as dolls who kill a husband and wife. negative negative +I don't know where to start; the acting, the special effects and the writing are all about as bad as you can possibly imagine. I can't believe that the production staff reached a point where they said, 'Our job is done, time for it's release'. I'm just glad the first two in the series never made it as far as the UK. I would actually recommend watching this film just so you can appreciate how well made most films are.

I don't know how any of the other IMDb users could find it scary when the 'terrifying' dinosaurs waddle down corridors with rubber arms flailing around. negative negative +I concur with everyone above who said anything that will convince you to not waste even a briefest of moments watching this amazingly amateurish movie. Very poor acting, offhand production values, utterly pedestrian direction, and a script so inept and inane it should never have been written, let alone produced. Even Hollywood 'professionals' apparently go to work just for a paycheck, although no one should have been paid for this bad work. Careers should instead have ENDED over this inconsequential drivel.

OTH, there is something fascinating about watching something so jaw-droppingly bad. And Chad Lowe is terrifically and consistently bad. negative negative +I am not sure why I like Dolph Lundgren. I guess seeing him on screen makes me feel that anyone who works hard can succeed regardless of talent. That is a good feeling for all of us who lack talent. Some of the other reviews point out how dumb Detention is, but many neglect to point out the positives.

Any movie where at least one annoying teenager gets killed can't be all bad. Why do so many movies that have a cast of teens always need to include the stereotypical teens? Aren't there any other kind of teens? Does every group of teens have one angry black guy? One genius nerd that nobody likes? One slutty girl who is very friendly and (in this movie) pregnant? One disturbed anti-social white kid from a broken home who everyone agrees is talented (but what is the talent?). And one laid-back black kid who is in tune with the Universe and so cool that all the other neurotic kids trust him. Then add a couple of generic expendable teens of any color. They don't say much but get shot at some point.

Detention would have been better if the bad guys had gotten to blow up the school. Preferably with the writers inside. The dialogue is bad, and the plot is worse. When the bad guys (and girl) finally hijack a van full of drugs, then they sit inside the van making out. They drive the van to the school because they want to re-paint the van at the school's paint shop, but they never get around to re-painting the van. By the way, it would have been easier to just put all the drugs in another car or two cars or another van or a truck and drive away without repainting the Police Van. They also never move the drugs or sell them or do anything else with the big score.

For some reason, they decide they have to kill the kids and the teacher (Dolph Lundgren) even though when the villains take over the school nobody is remotely aware of it because it is after school hours. The handful of people still in the school have nothing to do with painting vehicles, so why go after them?

Anyhow, the best part of this movie is that the villains are all armed with numerous machine guns, and they keep finding the teens (including a guy in a wheel chair) and they keep shooting hundreds of bullets at the teens and usually miss. Towards the end of the movie there is some bloodshed. For every time someone gets shot, there must be at least three hundred bullets fired that miss. The stunts are pretty bad.

I read one of the reviews that says that this movie had a budget of $10 Million, and I am amazed. When I saw the movie I figured maybe Lundgren had done it as some kind of charity work for some film school where he is the teacher. Like maybe this movie was their end of the year exam. It was a test to watch it, but I passed. negative negative +This waste of time is a completely unnecessary remake of a great film. Nothing new or original is added other than Perry's backflashes, which are of marginal interest. It lacks the documentary feel of the first film and the raw urgency that made it so effective. Also painfully missing is the sharp Quincy Jones soundtrack that added to much to the original film. I can't understand any high ratings for this at all. It's quite bad. Why does anyone waste time or money making crap like this and why did I waste time watching it? negative negative +I love Stephen Kings work and the book was great but I was very disappointed when I bought this movie on DVD. This was one of the worst B-movies I have ever seen. It feels like they had a tight schedule and only took one shot at every scene even if it turned out to be a bad one. And where did they find the actors. negative negative +I rarely comment on films but I've read the other comments and I cannot believe that there are people applauding this celluloid rubbish. I know there are certain people who have their own agenda but lets take it on merit; poorly acted, badly shot and the story felt as the director was making it up as he was going along. I am not going to focus on the sexual aspect of the film involving little kids as the makers of the film obviously knew what they wanted and what their audience would want. All I can say is it is a terrible film, the content is poor and offensive, the production is amateurish and I am glad they could not make a film like this legally today negative negative +I'm afraid that you'll find that the huge majority of people who rate this movie as a 10 are highly Christian. I am not. If you are looking for a Christian movie, I recommend this film. If you are looking for a good general movie, I'm afraid you'll need to go elsewhere.

I was annoyed by the characters, and their illogical behaviour. The premise of the movie is that the teaching of morality without teaching that it was Jesus who is the basis of morality is itself wrong. One scene shows the main character telling a boy that it is wrong to steal, and then the character goes on to say that it was Jesus who taught us this. I find that offensive: are we to believe that 'thou shalt not steal' came from Jesus? I suppose he wrote the Ten Commandments? And stealing was acceptable before that? I rented the movie from Netflix. I should have realized the nature of the movie from the comments. Oh well. negative negative +This movie was thoroughly unwholesome, unsettling and unsatisfying. Apart from a few nice shots of Italy, there's nothing to recommend this movie. As usual, Hollywood draws the wrong conclusion from a fractured existence--the _next_ guy you meet, whom you sleep with after knowing for a few hours, _he_ must be Mr. Right. As for humor, there is some in the movie, but I can't see how anyone could possibly label this a romantic _comedy_ since about three-quarters of the movie is totally depressing! My recommendation? Skip it in the theaters, wait till it comes out on DVD, then skip it there also. I want someone to give me back the two hours I wasted watching this dreck, drivel, dross. negative negative +I didn't expect a lot when i went out to see this, but my god what a disappointment. The original was kind of fun within it's genre, but this is so bad, i felt abused when i left the theater. There's no plot, it's not funny, it's not enjoyable to watch, it's straight out embarrassing. After an hour i hoped my patience would be rewarded but now i regret not leaving the theater. Do yourself a favor and ignore this one, see it when it comes to the small screen. Or see it on budget DVD, whatever you do don't waste any money on it. Don't say i didn't warn you. negative negative +Just so that you fellow movie fans get the point about this film, I decided to write another review. I missed a few things out last time...

First, the script. Second, the acting. Third, Jesus Christ what were they thinking making a piece of garbage like this and then expecting us to enjoy it when there are no redeeming features whatsoever from beginning to end except when Joseph Fiennes finally gets blown away in a very unexciting climax!!!

I can't believe I wasted my money on this when I could have given it to a homeless person or a busker or SOMETHING!

Are you getting the picture? negative negative +dont ever ever ever consider watching this sorry excuse for a film. the way it is shot, lit, acted etc. just doesn't make sense. it's all so bad it is difficult to watch. loads of clips are repeated beyond boredom. there seems to be no 'normal' person in the entire film and the existence of the 'outside world' is, well, it just doesn't exist. and why does that bald guy become invincible all of a sudden? this film is beyond stupidity. zero. negative negative +Even though this is the first film by the broken lizard group, it's the last one I saw. Having mildly enjoyed Super Troopers, and managed to sit through the crap that is club dred and beerfest, I was surprised to hear they did an earlier film. Now i didn't sit down with high hopes, but was hoping for a funny campus romp. My friend asked me to keep in mind they are younger (obviously) and its their first foray into film. I did and was still disappointed. Not taking away the acting and comedy skills of the BL guys, they were OK. The whole film was tiresome, clichéd and frankly boring. Some of the other actors in the film were really poor at acting. And the Rugby game didn't even resemble rugby. Poor showing. They improved drastically with Super Troopers and have declined since. Lets hope they get back on form with Super Troopers 2 negative negative +As a 'lapsed Catholic' who had 11 years of Catholic school, but hasn't been to Mass in 35 years except for weddings and funerals, I thought I'd get a kick out of this. And I did . . . for the first two-thirds of the movie. It was all the standard stuff -- strict parochial school teachings, repressed sexuality, etc. But then, suddenly, the movie turned mean. REALLY mean. Now mind you, I saw this before the pedophilia scandals hit . . . and maybe I wouldn't have been quite so offended at such nasty, hateful digs at the Catholic Church if I'd known about those abominations (such a Catholic term!) and coverups.

It's been a few years since I rented the video, and I won't go back to rent it again with a new perspective. It just left such a dirty, nasty, ugly taste in my mouth . . . I wonder what experience all the actors had with the Church, because either they *really* hate it, or they whored themselves for the paycheck. It's an incredibly anti-Catholic movie, offensive to anyone who has a glimmer of a gleam of respect for Catholic education. Which I still do because there were no better teachers back in the '50s. Whatever else those nuns did, they forced me to learn how to read and write the English language. They made us memorize. (How many kids today can do simple arithmetic in their heads?) Truth is, there's nothing more essential for success in America. Can ya read? Can ya add/subtract/multiply/divide? Great. You can get any advanced degree you want. And the discipline of Catholic education will stand you in good stead, not just as you continue your studies, but also for the rest of your life, no matter what you think of the Catholic 'mythology' we all had to learn.

Such a great cast, such a lousy, rotten script. I really feel bad (and no, it's not 'badly' -- trust me, the nuns taught me better) for the writer and director.

I thought I had mixed emotions about Catholic school. But the participants in this project must've been those bad (ie.e, stupid) kids who sat in the back of the room, if they were willingly involved in making this movie. negative negative +I just don't understand why anytime someone does a show about one of the largest metro areas in the country (Houston, Dallas, Austin/San Antonio etc.), they portray the average person as someone who wears wranglers/cowboy hat , talks with a drawl, has zero fashion sense, and drives a truck on his way to either the 'saloon' or his next hunting trip, rodeo, skeet shooting or country music concert. I have never even seen a small town cop driving a police-truck...anywhere in Texas.

The funny thing is this is not done for artistic reasons or comedy...they are actually serious and I guess believe the average person is too stupid to know the difference. The bad scripts and equally bad acting give that away. This show makes goofy shows in the past like Knightrider look like high-brow entertainment. At least Knightrider had the talking car. negative negative +I saw this film last night (about 102 minutes) and don't know what kept me in my seat. I guess I just expected a film with Gere would have some value in it eventually but nothing of value ever came on the screen. The story is a silly excuse to pile on shot after shot of bondage and torture. There is not a character in the film that does anything like real life. The cutting 'style' relies on jump cuts, mini flashbacks and overprinting to give weight to this vapid setup of a gang of sadists apparently running free for years and SURPRISE the leader is the 'victim' of an executed killer. I don't see how Gere, a Buddhist, got involved in this violent, sexist trash. negative negative +In the last 10 years I have worked in 3 different indie professional wrestling organizations, managed many pro wrestlers (including 2 Backyard Wrestling stars), worked on 2 different wrestling TV programs and did voice-overs and commentary for many wrestling DVD's. I have NEVER witnessed the level of outright amateurish stupidity, lack of talent and skill, and shoddy production quality found in Splatter Rampage Wrestling. To even list this as a wrestling video of ANY kind is an outright misuse of the term. Shot with low-dollar video cameras, it's essentially home videos of kids play-fighting in back yards. The sound quality is bad, the video quality is bad, and the acting is horrendous. The 'wrestlers' wear makeshift costumes with hand-drawn tee shirts and ski masks and hit each other with a variety of items and halfway imitate wrestling moves. Sometimes the 'matches' are on the grass. Sometimes on a back yard trampoline. ALL are poorly acted and executed with a shameless lack of any wrestling skill. In short, don't bother with this stinker. Whether your interest in this DVD is entertainment or academic (both in my case), you will be terribly disappointed. negative negative +*WARNING* Possible spoilers below

The film is more boring then anything else. There seems to be some attempt to build tension through badly lit shots of empty rooms and empty lawns, but none of it works.

MST3K did a fairly good job with it, but on its own the movie is mostly tedious.

Funny moments:

When the fake skull rolls out of a pile of ashes, the wife becomes hysterical and woozy while the husband (who is trying to drive the wife crazy) says in a deadpan voice 'There is no skull there, there's no skull.'

When the real ghost-skulls have the husband caught in a pickle, as if trapped between first and second base. negative negative +Not the greatest film to remember Paul Naschy by.

Gaston (Guillermo Bredeston) is probably the worst swordsman I have ever seen. Zorro would be ashamed! His only salvation came as the competition was just as bad.

This film is described as adventure and horror. Forget the horror - there is none. No nudity, no blood, no monsters; just a Robin Hood adventure against an evil Baron (Paul Naschy) who wants to be King.

The main feature of the film was seeing Graciela Nilson, who only made four films in two years and disappeared to our regrettable loss. Where did she go? negative negative +First be warned that I saw this movie on TV and with dubbed English - which may have entirely spoiled the atmosphere. However, I'll rate what I saw and hope that will steer people away from that version. I found this movie excruciatingly dull. All the movie's atmosphere is lost with dubbing leaving the slow frustration of a stalker movie. I'm sorry, but the worst movie sin in my book is to be slow except when the movie about philosophy. I didn't see any deep philosophical meaning in this movie. Maybe I missed something, but I have to tell it like I see it. I rated it a '1'. What can I say, U.S. oriented tastes, maybe. negative negative +The discussion has been held a thousand times. Is the 'Merchant of Venice' antisemitic? (I think it is.) Isn't it unfair to always point out this little bit of antisemitism in an otherwise great piece of art? (I think it isn't.) Does this play stain Shakespeare's reputation as the world's greatest playwright? (I think it does.) Does it play a role if he didn't do it on a particular racist purpose? (I think it doesn't.) Michael Radford knew all this and this is why he added to his movie a prologue about the pitiful situation of the Jews in Renaissance Venice.

In vain; for the play remains what it has always been and the new make-up only gives a first (but futile) hope that someone has dared to set something right that remains a permanent outrage, not because its degree of antisemitism would be particularly shocking but because the play comes under the name of William Shakespeare.

Why spend so much time in portraying the hatred of a man -- Shylock? Why employ a great and serious actor like Al Pacino, if in the end everything is getting ruined in this outrageous (but hey, I'm-not-responsible-Shakespeare-wrote-it) court room scene. And now I'd like to be very precise, just like Shylock himself.

He's demanding his right, according to the contract which the -- not very responsible -- Christian Antonio, who always used to look down on him, signed in full awareness of the consequences. Sure, what Shylock demands is cruel and useless, but that's not the point. What we see (or should see) is a man who has been humiliated for all his life, to the point where all what remains on him is his hatred. I think, it is certainly a bit inappropriate to lecture such a man on things like compassion.

But what the play/the movie (they are one and the same now) does at this point is... become a soap opera! The cruel madman with his knife, the horrified (but rather short-minded) audience, the poor 'victim' tied to his chair. True, Antonio accepts his fate but why can't he just say one word, 'sorry'? I think we need not lose many words on the ridiculous verdict of the young Dottore from Padua; it's a truly 'popular verdict' not much different from what would be seen 400 years later in the show trials of the Nazis. From one minute to the next this Jew is robbed of everything he owned, sentenced to being baptized Christian, and kicked out.

Isn't that outrageous??? Obviously not. The story moves on to the romantic intricacies of the rings and its happy end.

What one can learn in Libeskind's Jewish Museum in Berlin and similar places all over the world is that antisemitism often goes unnoticed by the mass because what's so devastating for a minority or some individuals is embedded in the alleged greater good for the majority. It should be exactly the task of everyone of us to develop a sensitivity to detect and unmask such tendencies.

I don't accept the excuse that this film was made to create empathy with the badly treated Shylock (it just doesn't work out). I don't think that anybody can be forced to be merciful.

I don't recommend this movie; in particular not for an Oscar. negative negative +When I was kid back in the 1970s a local theatre had Children's Matinees every Saturday and Sunday afternoon (anybody remember those?). They showed this thing one year around Christmas time. Me and some friends went to see it. I expected a cool Santa Claus movie. What I got was a terribly dubbed (you can tell) and truly creepy movie.

Something about Santa Claus and Merlin the Magician (don't ask me what those two are doing in the same movie) fighting Satan (some joker in a silly devil costume complete with horns!). The images had me cringing in my seat. I always found Santa spooky to begin with so that didn't help. The guy in the Satan suit didn't help. But what REALLY horrified me were the wooden rein deers that pulled Santa's sled. When he wound them up and the creepy sound they made and the movements--I remember having nightmares about those things! All these years later I still remember walking out of that theatre more than a little disturbed by what I saw. My friends were sort of frightened by it too. I just saw an ad for it on TV and ALL those nightmares came roaring back. This is a creepy, disturbing little Christmas film that will probably scare the pants off any little kid who sees it. Avoid this one--unless you really want to punish your kids. This gets a 1. negative negative +I like the cast pretty much however the story sort of unfolds rather slowly. Danny Glover does a good job making you wonder if he's the bad guy. Meanwhile, the other characters are just part of the story. Dennis Quaid didn't have as much room in the story as he could have had. I thought the first scene was a bit over the top grim compared to how the story unfolded. I'd watch it again though. I rated it a 5 (wish I could rate it a 5.5) negative negative +Cheesy 80's horror co-starring genre favs Ken Foree and Rosalind Cash along with Brenda Bakke are some of the featured players in this tale about a haunted health club. Goofy dialogue and some nasty gore effects make this movie watchable. Not bad but no great shakes either.

Recommended for the bad dialogue and acting. B-movie fans only.

B negative negative +I think that this is a disappointing sequel. I miss a lot of the old characters (King Gator, Anne Marie, etc.), and I don't like it due to the fact that not even half of the original voices are back to do the characters. A lot of personality was lost in Charlie, and the villain Red is not even half as bad as Carface was in the first one. If you're a big ADGTH fan like I am, it's worth seeing just to see how the story is continued, but don't count on it being 5 stars in your book. negative negative +This show is not clever. That's basically what it boils down to. The 'original humor' that these writers try to pull off to avoid completely biting off the rest of the worlds bush bashing is just unfunny. In another comment, someone quotes a couple hilarious lines. The standout for me was George H.W. Bush telling the kids they're not supposed to watch any TV besides Fox News. Wow. I thought the episodes I saw were bad. The fact that this line is a high point for the series is pathetic.

My problem with drivel like this sad excuse for political satire is that these folks are getting a second season. I'm a liberal republican and I know Bush hasn't been a good president. We all do. But that's no excuse for putting out this utterly poopie waste of time. I place these writers on the same level as the geniuses behind 'Meet the Spartans'. Their formula, bite off as many already unfunny topical jokes as you can and throw in even worse original material to actually be able to give yourself writing credit.

Again, just plain bad. Unfunny, and it just makes me more and more unhappy that crap like this is renewed, but amazing and original shows like Arrested Development are canned after 3 solid seasons. Please don't watch this crap, unless you're one of those green blooded liberal hippies who think any sentence with the words Bush and dumb is comedic gold.

Oh, and the voice of Bush sucks. All he does is slightly emulate a Texan accent, and exhale really hard at the end of his sentences. At least South Park admits the voices aren't accurate. If you want funny political satire, watch Daily Show/Colbert. Or look for any political sketches on Robot Chicken, which is fun to watch, since the stop motion action figure animation is EXTREMELY well done. Look for the George Bush as a Jedi bit on youtube. Priceless negative negative +Bugsy Siegel was 31 when he went out to the West Coast. In addition to his dreams about Las Vegas, he toyed with the idea of acting. He was a good looking guy and about 7 years younger than his pal George Raft, so it wasn't such a crazy idea.

Warren Beatty was 54 when he made this movie and despite the hair dye, he's too old for this part. Beatty was miscast; Bugsy should have been played by someone like Alec Baldwin. Bugsy was a tough guy feared by his contemporaries; Beatty just doesn't radiate menace.

This was a vanity project for Beatty, who hasn't come to terms with the fact that he's no longer a leading man.

The other big annoying miscast is Mantegna as George Raft. Raft had a distinctive voice and mannerisms, none of which Mantegna even attempts to match. You never once believe that Mantegna came from the streets.

Warren Beatty and Robert Redford have both been pretending to be younger for years by massive use of hair dye, and now it;ll be a shock to suddenly go gray and play character parts. negative negative +Wow. They told me it was bad, but I had no idea.

We've started a tradition. We found one copy of this movie, and we just pass it from person to person. Whoever has the movie watches it, and then passes it to someone else deemed worthy of seeing this unique, creative, horrible movie. Hopefully it'll travel 'round the world a few times.

It's painful. Really painful. It's even beyond so bad it's funny. Well, okay, sometimes it's so bad it's funny. But most of the time it just gives you that feeling that there's something sucking at your brain from the inside.

Wow. Watch it, then pass it. negative negative diff --git a/data_loader.py b/data_loader.py new file mode 100644 index 0000000..d2aeeaa --- /dev/null +++ b/data_loader.py @@ -0,0 +1,96 @@ +# Imports and Configuration +import os +from datasets import load_dataset +from sentence_transformers import SentenceTransformer,util +from dataclasses import dataclass +from textblob import TextBlob +import pandas as pd +import numpy as np +import torch +from torch.utils.data import DataLoader +from transformers import AutoTokenizer, AutoModel +from config import DATA_DIR + +@dataclass +class DatasetConfig: + dataset_name: str = "ajaykarthick/imdb-movie-reviews" + split: str = 'train' + label_0_samples: int = 3000 + label_1_samples: int = 3000 + shuffle_seed: int = 42 + embedding_model: str = 'all-MiniLM-L6-v2' + batch_size: int = 32 # Batch size for embedding calculation + +@dataclass +class SimilarityConfig: + num_least_similar: int = 50 # Number of least similar samples to select per class + +def load_and_preprocess_data(config: DatasetConfig) -> pd.DataFrame: + """Load and preprocess the dataset by selecting samples from each class.""" + dataset = load_dataset(config.dataset_name, split=config.split) + dataset = dataset.shuffle(seed=config.shuffle_seed) + + # Select the required samples by filtering and concatenating + label_0_samples = [i for i, x in enumerate(dataset) if x['label'] == 0][:config.label_0_samples] + label_1_samples = [i for i, x in enumerate(dataset) if x['label'] == 1][:config.label_1_samples] + selected_indices = label_0_samples + label_1_samples + subset = dataset.select(selected_indices) + + # Convert to DataFrame and map labels + df = pd.DataFrame(subset) + df['label'] = df['label'].map({0: 'positive', 1: 'negative'}) + + return df + +def predict_sentiment_textblob(df: pd.DataFrame) -> pd.DataFrame: + """Predict sentiment using TextBlob and add the predicted labels to the DataFrame.""" + reviews = df['review'].tolist() + textblob_predictions = ['positive' if TextBlob(review).sentiment.polarity > 0 else 'negative' for review in reviews] + df['textblob_predicted_label'] = textblob_predictions + return df + +def sample_reviews(df: pd.DataFrame, n_samples: int = 500) -> pd.DataFrame: + """Sample reviews ensuring at least n_samples per class.""" + matching_reviews = df[df['label'] == df['textblob_predicted_label']] + sampled_positive = matching_reviews[matching_reviews['label'] == 'positive'].sample(n=n_samples, random_state=42) + sampled_negative = matching_reviews[matching_reviews['label'] == 'negative'].sample(n=n_samples, random_state=42) + final_sampled_reviews = pd.concat([sampled_positive, sampled_negative]).reset_index(drop=True) + return final_sampled_reviews + +def get_embeddings(reviews: list, model: SentenceTransformer) -> np.ndarray: + """Generate embeddings for a list of reviews using SentenceTransformer.""" + return model.encode(reviews, convert_to_tensor=True).cpu().numpy() + +def get_least_similar_reviews(df: pd.DataFrame, embeddings: np.ndarray, sim_config: SimilarityConfig) -> pd.DataFrame: + """Find the least similar reviews within each class using cosine similarity.""" + similarity_matrix = util.pytorch_cos_sim(embeddings, embeddings) + least_similar_indices = [] + + for label in ['positive', 'negative']: + class_indices = df.index[df['label'] == label].tolist() + class_similarity = similarity_matrix[class_indices][:, class_indices] + avg_similarity = class_similarity.mean(dim=1).cpu().numpy() + least_similar_indices += [class_indices[i] for i in np.argsort(avg_similarity)[:sim_config.num_least_similar]] + + least_similar_reviews = df.loc[least_similar_indices].reset_index(drop=True) + return least_similar_reviews + +# Main execution +dataset_config = DatasetConfig() +df = load_and_preprocess_data(dataset_config) +df = predict_sentiment_textblob(df) +final_sampled_reviews = sample_reviews(df, n_samples=500) + +# Load the embedding model for generating embeddings +embedding_model = SentenceTransformer(dataset_config.embedding_model) + +# Generate embeddings for the final sampled reviews +embeddings = get_embeddings(final_sampled_reviews['review'].tolist(), embedding_model) + +# Get least similar reviews +similarity_config = SimilarityConfig(num_least_similar=50) +least_similar_reviews = get_least_similar_reviews(final_sampled_reviews, embeddings, similarity_config) + + +# Save the data +least_similar_reviews.to_csv(os.path.join(DATA_DIR,'sampled_dataset.tsv'), sep='\t', index=False) \ No newline at end of file diff --git a/plots/step_1_accuracy_plot.png b/plots/step_1_accuracy_plot.png new file mode 100644 index 0000000000000000000000000000000000000000..3829744c896083382b1b1a3d2cd48b4a4f5ee0bc GIT binary patch literal 23811 zcmeHv2UJzrw&gXISxW^46;J_1P(Xs@U;w-*Nk9+@Dv~o2B%_w7sGtafWF>=u3P=tH zL`5WnBvHv(iIRKnt5v`LfB*f_-Q$n$(LEkxywWFd?m7GHwbop7&b6;AE6S~2v3UiB zLRn2ca`-rfvZ$LvS*W?}H~hhjGeW)m7TfC*=-I6 zw&zW(Ecv+wxcT;MGq$s{J}=6{WAWDya9i0L@o-)Ks)>s%w?1<6JcY9M4Ef)Jc&RuO z3PszRdia3ah0uW(Crx_$`T6hlXO^xDJg36CNg%MOIv}=IiR;Jv>$rd@_?G zxT>@2?D1^%vsxydIxR6m+3m-JT{`4B4Zo%=W=cQNjIrJ*i`rY@=}Ae zhOJWJ;o*tO4=!nCS|)GOy>Q^|+qW7S;Vrq2W<{P0R;*lEJv~&II`PRx$uHe?(pF-k z`Mha$?5)lZVM%ZA?%LF7maW@YpIZOpdz<}ue*@Qe>FlE7+L`8fK0ZDH_n9B!9q3+LACLT{#C;dp$TVRdcAFJ)vJnFFxwU3QI}ROX{ME*nm6qIAwnv(vn-^qyD}=a zb^&F{6@=&f=c0>?$bH<~bMj#ci--2|<;ynVloHyIwR+{E3U;4(4T(pw$pyKvE>j=sJmtqfBUpU@QT?Bn}G6e2w4oWeUc?$O+a za9O=&e|xUfYhRXBPW8kiezLbVv*TYA)ssX!ty*%_9b4=J7cN}bJ~WgnHkfrtYUbPJ zYEitcUHGBeB#pkeyCT%Ew=D}MJ6$s;loHhv9y*P5?&jh;np!ZG7&SXIoo8B`=p$9M z__yEQ8K#-c{P>Pd9xUdVQdM2e6z4iWHX9`6QSjpBOLCjT9i@HGm$K9#aKcQxKR$`- ztxbw63lU0kn;st?8L3{$ledlf?*03kESom9DB0B|F5}JT%XjnhSDP^5!4L@~hv1iX zSy@@NI5b&Ib%t1lj?c!cM6pq^_UCI{zI}df*63Ij5iw*G;dbJ|g9pP{IYiayJFe6> zmYHHx?e203La4BcP^)X2tDBqsQ2s>kXiv3b zQ-W4T;$XqFvtX->d zpU*%oQEhjIS-m2cMv9%5BrmVBAKjKMeIEncN_+!HyIg`>RmSkrh21`-s$CuJn)o(1 zJ)|)?+|kk278R=yVv2mI*!TX!hZE-Jk4){?IdpZ6$oN}5z0{w=&QU}N?yNpo&@3hK z6Lv#$MW7yq!%6rO;&I#d?FaIm$NZ2xrpEf>?(-WVBP!ry??)+VX$2$J<8*QzOe!J| zAmd(F3>Qx@D81J+(dwabWd*(e-Mdk_Lj|Xfye zE8|_}GlW-ydBfAq`_BH+=0DQRs$DoUe1klKrzeFZdsLem{7RA!lbGpPZ>>|xn8)zj zUGxkL@j*chF>!IZc@ef5rnT~C&YaO$C4g64k5G)qqiFLReef?VEZi($9JyK0v^#&| zQ}ydxTLjJO_E2rNo(UB&@q6vVlqBgkW&Gy$c2S$Je~>52Kwd`bwijLR(Oa{-#lBvL ztkT#UR$mTbVNHiz9o&*{U5ZXp3A4*F``(($4`E`07L5V}ExAJFx5mhKu-UpvDE3sv zjA6?sIu3o3S5&N15Ne6W!Wqwxy%i5G`)n1VCD_bn z+Z%PMda3*LUw0!DJEa^_JaR<&#EE<1?o%ctvy*t98tsW{vMSU`I+0w3AIk8Uch4WI zJGEKFHoEiu{kHU(0=Ma!Oe;N!@2@s^-@IAVoPB<*XwlkkWWgPXZ zi9B%GtTAx1_IoK$VLS>>qIUMvaOAWAPIdVR*Wv5VT76kbe!6XuGjlYeBwBj-5%| zv%)%k2CsdF?-^b;H8lylj6aGR05I{odiCl)%jPWcrnjks^|~%)3He6l;a&*eJO2Ld z#?x)SQa4fHwhT07I;P{L)ZadrZqZbiW!F}j^eBw7m>wU%m6J0+*{0`@H=5z^sQrO0 zn*z@_S!6OYiP~8oQwkNXEh3{wOnzGM#-SnpC+I(w^P(f!fYTHfh z60xy-n&tP;n-BQ5+=vy zGc~DtttL_*2OOdR3S`TI1(_^RPz7=vhr*3cE!oY^Uc7A8Dgib|r1|~f7rrjn2kuiG zGD;b2$ra0gt&QEq&PcXo)Ii09LtdyHHmzD(4W7yv|HJw_tbd8kqA!h>nch zMnHqtnVB|G?OE|mRE;lRzWDT1Il)yWvlvh@6O2lgx zwf^iGm5;;|%xB=ee#3@ZU|On&Ze~NS;}BO058xq6knIYN`qGy#SzFDX-o1O5e#3?+ zQg-qAiX({JT~r_538lE(s1T>HH&syze_PAEr>9&>JKeltIC#*|j5@Rr&w!sb+t*3ZO1z& z%XAblNxYlBr*V;8pVGPOTjwKpP&?iQl#b|b@&|M?L4#1Qt!JsZcJ=DA%-JFP`gj%A za+YMv{IL^wq*A8!>%ZD61WvDVL){~f>oD{wxxc^Pqu(QcuHX}pGO*VzCb1JJ>1B@h z5wA)3;9%Y}mj?4EbX%PJlCdwta~uW|k;_NDfj_%-}W3RG(FevSMKrXrJPJNG-*sX z!R9VBH3o7EmB1!?CZ=RxsX0y3=pyG$jSslg3eKvZ zJ{>tTGn0-QC_aMSwO2?e^WgLn_m^I)<>lo$D@v|jxpL(#?<)1A6ML07>&M?I-drgMmU_BsXIUROdT&o< zi(_jt*b1p~B{emFq~4(mtBwQiWgzTaS>*1y*d+rCiaHISE07C6KaJfegG}v|65-Yr z=9rQ*-W=ucA(3dr;PvT3+v+%XKrK@s3xK((_V#wyzPIWR4lW^xG#E`9sEC>jGmVn4 z=Qrle3lPTa5s{)^Ze|@$opLDFE0dJvLz=@e)pKyFVE;k?@9;`tHRm+ z<#}mF<-I^F_4&67r+{2S3yz}hOnrN~wibz`r02sD6;=1v02Ys#edSS$&PVv%ZY@{^ z76(-}Op&#J_;J@vS@pK3pmZcI%YRPJ=%OD8mQYs<{v-XmCd759V_0X7k@O6dx^u) zata4GX_qE7(Qy%81F^WPb#m{iXKL7hWc>h+(Id)7xQ*W@q|fTj0!L5}NW!?c_f#wZ zlA!rVWkL;*j-tEUnD9QN>^VE<%uTn>_X6bC0GTE68NBPhxRkl#lvO_I*U>_`O?Cu2 zr8MOEA?t72R5%%Uj~&5?8elM=OLEkP#n3(9(KV*&W* z&YDcr|D5@`X?7}zmAt92`@Vs?&Q#!8<)&vAW9@g9-o1Qzh%6lvS6H};doqCZ!^x4Z zQp?Of&?86;cL7EA;C2A}x`SEn1VrGz@<*$VZU#16!z>;jF5!|0gh@)9%W6v>bCbrQKIVo&iD{CLRh`t5*| zvvZ=HFSF0*L2s2PSrhcbIn#r=B+p&BdX>;bVvd6Z%*0+^x>k3D#eDcY5|k+j0CK07 zE?*Wj`mh!4@G-pby%oW<7XIYZ!^rayz;7u)C>)ZKy1;ez%}LTzBk7|#_I;+64`p)D z@u(NLI)NQfLPJuGc0|CwS54;dVPjld)O{xFYg?N=uxm$l!a$a0f_B}? z>Z!UqsD{mW^d@xc)_oZb66`7O z`Y?ajV}82TXZCJbSTdfuJ0?)qkFDi=xx|twou!^TRN5zQE%iJbiRC0H^iFuVdxPYn z-&XO8OGw-Te%tJIh9OQdjPK#Yhd18^aBb1m)qPzi)M|cMR#vog%j*bVDbhUM0@cF^ zYE|~gk!v;xYcUDSeiTw!I=$ak)2 VX$?md z{=Y1C@@lfuXN$dGFIp>p8iY%6f)%);?-hsEG6JRwvWevD0(Fgal?#DL>bbx&Hy8i5 z^sQU-Id>@!mOe_P@MA{V?JX+5QIsEQ=h#uv-yip7mJo0mH%}`)uv{IqIEg_$_sN)s zn8;-x&G$=;)u_riS5qmE`A{S&+5rIdy`*Oq3Wo+H{rt;jJ4zA#ET|B|O7Bz*jR!lE zgdJxXxR^pw-eI$tiDE4S5~t?znU{2QbkS?2W-9t^p#;hAAs56~(L$2o@%1HH#v=Z6Mn-0&^{R@wfmcz+z0{M+u#&>NW*evsaF;$e zDI@DDta!8IGL|l0{CkC!azjG{h*DK)Y05m~A|c+_3n@1jy(x}Kt$TjuH}ZM^nWUwC znLJR@adcGvVPO^yjK$$VP5_8y+>5w>3SW;GzvT7z^LvOw9IPXMUFDhi$t!>SVa=L# z_7Y7@D_U>+(g~;%F}EzB{yFa|f}sIz{G!on2WziO`HiN=dG?To^~+3bh$UZc==$gN z^%{P5Ge2yWELmccxptqlo!C`Bx@qlC>F(ZhlYu2SW>4n* z2jT7r=xrhy9d*2u3NkiUDZ*W+Y40`r$aBB$K97*+hG{+5cZI*pPhTVo;2a6h*{Ov_wSEMjJ)Sxv0?=wlN+B|Bq4Q)j7?7UrP`x} zy~DDFiP~2|%o;I2kN7vOPYDAhO}}|_qEWb$Y)?;*hRz7$bM(bZo_H{eiC7dc>|@9y zW?*Q2Bt0aG-5@G}iFa}b^*_`t1%{Hee^`M;o!n=niAhRXS|>}>LzT@}0j8iz+8-;w z&o76<_`Z55yDPlH5rv6!K(DpX%9x~p>7Iy- zi`T>|Y@r@U`*8N`SpkzOHazrEl%+ak9C8QR_6m==X(F!Y*|s}!%$2}E_T3fR(J>rB zLak=?75`eZ3y6S(wpnU^Z0=yrQB?L?lwck`J-xDUiBo<8Xc5r`n4qFS{-f#q(>Z54jBG$Bp&X_hC~XPctkNIQwc@@~Ow%xLe*2X(w*CYHU2X#YA-30LU@xSY^8b=Izh$yhzOY zjcC`>Pu78Q1_Uz0yW(4Q2#OM6(?h4&*x7fBi8a~Oob*FhsLgXCo8YKlx>-GUhH>Q! zlWer}A_}00bi^F`m9c73WxT7n+~5 zZq;H*d2&HOcG&?5C86^`dGL>xn*Vm&-#;2#&aAuQflomox6W}$7;{fHYO>HmTlxtf zh@=vePJYAp9O(nmF)=;gOIYgp%f;^+g>wnTj6lH!cBx6x5xd1Kp~aIw>bLV)P$XV5 zPz{&Td}!#_v4JKHxH`7#JA5HB8%${Z>8$ zgo!r8q$S5b@pz0k8`kAi$bO3|ye=*(XcQm7>dy3LBuaxT`^k3sZBlSRTWTVJeOZ1yvmaGby$F~uczIksm3 zBW&Jp9)toOL!_&Frz|UzQVSBHDz0W0*Q^383IUrzzPGPfQjUY# zgw2>jSV7N5X5K*^o|p)P^Z?;@>^*-u;lz3yGm;3$K=34?q%A#(iWwKq{ zwry+m4Cw90|Y0nK_f_6!jKRRvnnDko<}!N6WxtET4j0`mQ+ZVV#!elF8`*L z@0>9{*g^#E1e>?dz!XxD$wDCt9cl%i=a>V08g9Dy@NRH$BI$duIW@LcDBBts z8TDb^PGnlPwDs9b_Cae#?y;q)~N2}>%Y^? zA-x@($Svp5?gvm4uqjQTz-aUrn$~hQm_HMjf{H7n%6qKij04SSVx2rUB*n6^XFRsK zwl!uBiJHjML@b9&qcdjfGTyHOnNDAngX2xiz{3kWXr)4Wdv;$+u3f#3V|Jc4itIb= zoo`E?R|yx>o@Y-i_H!aQ*}=RKMP!~2{kF=7mv!&79doAZDK|TgI_Dzj zQF1GEw@{cl(cj$I#8ZbnMrsF?H(k*?~hy`j}+ki_4+RV+qWZ;CRQ`@ z9j50xp?3K2;dN@OaHU9Iq8$=0@)%x(78E$5ouC0^-N1E7Wm{y(o7z4VbVQKn1QqV{ z$@r;(@g>wT`Z-qG^RcVpzA_vJw9-nY*KLd3#JXj_xiVpa8xi57{b}X84);+K4GaxM zV^vjE*{J|I?>>Cs_7^>4kv$|fBxS9yzlU-r=D51 zB;LM#+pO_fi)G*$2K?qdXrk5PNqG~XrJVQq0oQ!~d^+wK{u2`$+xz0mN)S?IX~&=( zA(}?gc_8e%ySraG!S%=ro7ON8AP^`_(_rhjZ{L*B>r_=$`3D3TIEVxWxD@r7#vu1W z!tm)Kh7u$uPBbqE4;`Z4vLz`>&X+7Yt=6c6i-9gshs`<$5y}MJj21}q(x!XSj~?yO z0l#Bb_oxyGHnbCHDl1Qtj(ef=av>-^GIDZaWF^Q;0}CT8p|MWLr@!AkS@X$3LIM5_ zDr#D6%>qVQ!y>r{ts&@*AgoLFl-MZtkR2op;aG5cGSuVqbF+d-Dn#hRp7j~a$SV%?_U~GJYOM1Mcbqm6@7r%&=0kDI*hFi3AWXkKlrG3s>OYJ z0DaHX5vd=a7sd6UJeZAkS1x(xCL|<;h;nT;;>sJceyv~UeFsHu_r86V2^M%KXgmX` z^t2dTv0_2XVG|P*z@`w;8asQ+OXAUhE5PFeC<{OY;1-PZyu5cGc5bAX> z4@D_SP9BCygEz{RWC`g7J0e56k-d(C|EbNg(WjCg8zz)T5P_*x1f87G@k5S^g)%Bn zSQ2DNL4$X6VA^lUJtFray}U@UduQ**CvEhpa`%O-bPGz&p}+i|M02PGU1a^=cA3#V zh1?a7ryl)_LQ)6Wxe*O6nAu^So!hoaBMaFaYchXkmcm%PRF3A6i~L<7OjI3txfUB+ z9hI}Vq@=XGTtKovfI{P?g=EM9gn zB-4T)UsskvUjo;SOjkElIIl~`{_^n84u-O^Dp8#andsdzpSoSg(O%9PI+b2Va;W~?&UfZQ$Xi{prCH! zw59?1W5?`7<=xpuL_`|1&&R>5qp4}|V#lvcyg~QKB_bR{$jdyzYsB(@y8^? zKx=i7H+1y$0YiDHiy{h2A^R1Og1Igwo)-MIet&Cef8N4Bbwqj^FnFDDSkAs;I_<*G z*UcM-o{?=gE9=X4dHH+Iv-fj7&RB>qB^AoE2Z%`>EhCeZyS86@R~O7fhPLX(BpJVX zQvvT2`6gaTh|cZpU_SGzrO!%n2*haFdar_!kMW4lNTVo;Lbv zB_th$sb6YpD(a#j8YZ2*3s0^k!pjL{vTED2cj0w6NSN};rEhy=NIM!r(A+9WbE>4{fHD;}#J5&r^fqx&p?baJT}65nCGqdC=#^}I zZ`@EdH#ZL-M=eJ79h%Zz?41EH7NoO~vhwsEN|CU28zPD~ck#^X1^EobNV`)h{1G65 z9D3~vq&8x`B6{>sA(hY`qN0uDRujQQ*!NV)p#PFl7u~}KBt`65FzxI{e1Xn7z5XYc zB$2zZ?truq6^&>+L?B#9B!dMcItsufH@`!_rUbmAoB7UNV@rS~RbEM{9#)@N;!}k> zYPI|Gz`$NBt0D0L(8Q}=2?hmV6wh2qU*fiw@#7|NV_ zLFu`3=h~OU_A%(k_L6r+Dsi1tq#v{`%enqADvBO%UwGmY;XNd_T6hZutv^fCV2ygV ztwC{dG1ZTN^aRzoM3hP&)n+9ABxVU`;Y&2@cO;;8NIW`b;>iNXK)5cnZ9R}oY?_6+ zMMN5Uu1yxsjqwmUwoh-qiYO~+&T$1}IE;~PX}7Zg?{p8kIv5crKb*qySEs`fLz;bj zDE$E%t*wV;9wnyd?ky9D+^k7!on!TEjrSIRrPos`WsR5z&pdrnuk60t| zdoZ&tBFqc0QD_4@4HtSdE}XLGU3G|bIq%;2onZiM2>s+fZE?lRi|9{=fwU~eA-k-* z{xtHBx3~9kKwy$akrOqEKm-k$crp}%1*qlXBR3lieqMMT9uSEx71+NQIF8ut&=@=l z)N?-xpPlt+4?I)wt)Dp?K+6^O3%x^#TM?`wTz10-(`v8}I^^ar`w3y`92eVd zf-$46e?9pP3j6PIS-J5LoSi!YG=|d)r+Sl|KVMvWES@%;p}hY03Y~PrvdzfHdzGej z99v@Gj0{pe_5t!CL**2Dug(coE=rYn?&1?bQ-u*LP#Rl*COkVLCkmy9u)#? z1(Y#8u!Yb2hsmc=is=^2ZidXFgZ51*m$bM5@-P01S-A=w;%7Cfj_rY9sbXu3I`K5L z6DFa?=y&9YDaDNV8CZFfNVXw41@9I)icq52+1bPb{pTx;#r}~$a-;$@Wa|8M;rv}> z3p{5WI0e#u5q7SjgN9?gcjMgw3ab^myHWkX^U&-)MDHA{)zG_t@~@qi+YK?H4&4bm z74}rE0@rLd+^Pax&im5@$lXcrla+R?bem|2LpM*Y0y&fn`99IGESNx4a1rNh?a9x1 ze)Z1H%IyX_(qry%qip$Z8J3Yl={30j13e83~T`S76*+D8hx4ybs)Xl$@VC_Fng ze*Vm$aB<5LBz!GY`Jb`}MSdHehZr@{-v<8~Y;d}5s(o})b;HhM6=2T^oIM^RFH+{w zdEe+*BJE8mhpwy8Aqo&+;fW9-t2#6oVV%gzKLP9KU~DlvP(Nu$$um&=rT>Dq){9$Y zF8{VV=j)8f`A#|&cJggczdx|E0HTEzj6f!lxdgk?QMGGeAs9_-O?Qz6n1!O8KD;29@ ze}Hoqfssnb$k;PHW%xem0sNT?=(-6PMEt;L9cG@+mWN9uk+Mll9vJ0NhpI=KHFP%T zotkJL)Q5;M2EDCV4d)SriyHsks&n7h40&W4SMC5uzy+p()P1E+zriR!I`Ds_*+th^i8YCcn}-rj zDF0*tD!gAmf~GcVO3?0ZyR^t zbqt~5lU6?5xp%i41ZDD21f&s`xTQs+)c|y608E-eiV6w=qg`!ZU=jjdYSv*%*V}7z z%eFOe>#4a2#-P;4g&{K6ZHjViODL}wnsHLwKs%gPpHVz*A+v9dfBKVHl5LDJ>;q;) zIoxv&yB8AVNo?L)_2jPq6qOauj)xRX4~j|5e0we!*g86D03s3V zHnz^d(*qowBiLUY*bp!)NOElsYKu)6lVv z<>KXCK{^L7p4s|1C2s9dEpG4Tl8x$quNPc@Qk3{3tf1B%ri#j)GMeB1^!GL%BJn7sc(WhhzBo_y#L-G_xcEtw++)uRj*!oizJvS`k9tM)W>Ui~Aj&{B zC#e?gxEgFEfpxVo1%(OQ9K>V@Y2;zh8wFAjw%i&R8oEa)b3Uy7cMyGGt7s!c$YE-L zw8TURHj%rco>p5qoEMLpDJL9fR|pr+mae0xr?+niDeZ8S`vK;p2WBFU+ZMD!_~^13 z5-6xXH{7vPBh1IDgsuOpo+6!lqs;)kA5LGoWC{I86rY8Gp1);yPBqA*yVumx4IC6?S=zoq~yX4?=4)a>ek^&!J#b1Tj z(Z;b7gopjN&j(s;N|=Vf{Ww1X-D+&8RqyUj1-@(=R+qMsk#@WTUWPP@#GwR@@h)0P zf@~n!1pN(lMUi5K%H|hcQ=?WEDxyl7MMym7FzJdf&##c&nNFl=C!i!4!@I|+8haDN zB9duGX@H4N6`+Ah#P%?fRW(!xO#7V-6FD!ta^oIl)cbR34ezwB?oG>K*dg9=8tIFt$K`n0ROuwFdNNt7dK zXv*~|Iz(?laSGC*p{vNn+avX2ust{T@vugy_Hc{eORO{A-DYeZPxB3C@XJ%K|oZ$f3C8)ul|6lMqH#wSj6? zM}CvSz8D1o%%5Sw0GL)H(c|hcGV?e(PV7ke8!W>(`!8xj3r2DuBgh!>VZ z{Hf3wFcT%1twpXYZS!2=tF{2Vp{UQt5VzF;tacbd!eEgG0S;TN@*W`M;q)+mb#0wt zAnDF19J0cf1|NE$3np;x#fukPEzmqvfB;GPl<(390A39Z^c`zG`C$t87rY@KW(mTv zbeI%k$O0gijaYfAP*ZN?{2L@yfxm1N&K%;>_jv|(7jWoI&g^&-I~DsE98&FjPFkm+ zyy{N~h~XiaCjo8mVJ-)%QzArIGfd?Au|eyA)>PasPuo?+%j?lwu(2H`lm_(l42+Rb zk7E{04R&9-2)HxutN(gQJ0kU>h;19H=AYPYJNm58XxHlDs302v@F~s-N{Cz<~utiF_`6dDg+1pwF7qAa1+oY>$8>2Cci5wkt6aOu}eHS zv{d3-(W1XM2DpvDsfi&T>hQO36=-{iPZfKyJ3vEs-`_GJk&n05hiN?0RDt&9qQb@q@rvpP*(>1Q zy;u--3CNz!&uI~DT}GfjOqpQaQ_v?InHsU1fMfOU&tA}fvG(ObGEzZkB+zX8a_ML{ zvHTF02kSv5IsRQ+4GUrw{J&%9FnR%rQG4yDXs_$Dmi6kK8)yJ_QgfisAnvvfK-Poe zziU^?qbhP$N-+as0)vwRxj&hg<%jVpFz&qPrd>jLq0Q2A?D}8?Zb1!y+fQNTo@q5 z+;u&CQzS9~5lMgg*M85UHrs!LaqaNoKR$$tL=iOv1@KRvC06*7`)WKc(V&su6Ug)j zXg*S^XNOC93_>PnM zOL8A}w+^jeH~9JJyL}>ax3RO!5a>W=$3d}zNa5h;S0!c&to5Jo>ZT2fK4B&ZY=D9) z;5KDPU<0OFGT(ErBzL5I@b`+;Dv!Al76J~?WAq}^hHrVLlk|@&V3L;Qmls#y?83N~ z(Zw3t&G2qoFw03KcbKb4lWvEv}#RpD3L zrE8gM5Th8-%I#~EB==Gzx~yA+4EGY>zWr#oiUf8m8ASv1Vnd69_2|a3ai^Y#`D3%F zT|Ak0Kr9p48zMSHyblI}&|)hw`SJ*-2Owk4I_uH^PSHU^=DB_^t*VR?8m zA*jgEA2B$WVuxc1X!aoRY8vW&8MZMyO*O9Jiu;p2IqoS1oLv!ts3IPvyNCuH3-`9l!rB5zI-_Y z4To#s$y|qIa`zCQb;caNe*FqcC?w7ec1{%K+}<(m8~Zs`WkZ?F?RXDYEjDe$W0VvS&Z_eDO-JXfW4G3?&NJ?R^v*N zt|iulSbdJg#l~{Ntcd;_o)YOZ{=MJ6di$=lpUv7o=v6a(oKcY4z~;zW(r)JW~XVEX_EH|>h zUeNb$)*$rX7N4ojQ;@z`Sh?zTu%BnhtNX8DfJenADr`FX0`{FdK{%XnnnJ2LML;f4 z_f{z~EsbIqjdkBGAdt>cN&{+iygrd3P&>3RR!e+UT7^xz+aC1{>P;d>b3>ld{(R zUZJp&o<1f%KHjwpxu@5=^h1bH>gSa-FdcO1Wf}>j|Eszj?MDA~%+22gQnN>My;)lb+Z5G2!Cum7 zX}LY?(OWz>>(~cH(xXxxY(9fXf$!p}?{;QyfgE<(b@7_;(+Q8#{ ztK&j5E^nJ{6a8A6OBb}T(Q~TZ1_q+pwcKIXLW8Gm(*T60!&5l(l+2kWq5^C5_x=04 zZI^Gosr@6Vnu?$i#ebB4^jk5Vd(xj_=_9U*K%0LfT2Zm;)acrzsawqC7h0}2T94rt zjAV(meBL|ZWrd8G({D?TlOO{a=xb#GrT2Otr@e6*PuA|8*l;J#or@+N9q4^C%#afu z8HyD<6{B$)*l(!5yQqZ1BdK`F%8kSd1@7z)8}MyuYinzIJ?&~)?u+d<5L@vs#ZcvA z$8Mtc1RQ2{gMr&;O9}g~U8Q9M9=k-|gBijeBeQQ|b^P!Z++vX`;5hoLZY<1s`|q7I zEaDd)fBQ3;oBityvHxRkl7CgLzcyRWTOu3*{SXp?a5d1EQ$Nl_%~J=PO)@-m#6C18 z+z)?pAXlz?TEZr?aW^0k5`Q%$It)1-LJvgdbSB5a(B>2AkvROpz>vcph&+dJ^z8r1 zY(9^}#t3T(Sj0iRcNij71Gz;Q@=bplb2?#!7D@zzf_Ca8#=vdT39AUM4+Z29+>sw2 zA0R531!@dVa_TYo3%!qGAc2jFa~fc$8Mn{7X$qX~yBzw9T>6pzc9sil;ShgMz`k%Eg zf+Qw{6>)PzBd>>Hnl@tq8k&EEMyyj-Q2seumbIp#<>^-H8sg!+v}EOIs>ke6p1g0D z2n!8CI1yq#F)$v&d?VUY?eL>4lx9uZ;2Wh*pFb;()`?PL+c3^YzW(bI9W8nP5%+*t zh+LL@GEG*(c~lu=3m{9#F#&ZiIx(3HkwZ| z7y*M)8TV>WIA5#}nN&W!0-Yk3bmV>@@rkRO3{8-Z7Yr1KDM()uh6qO!huxH8wm7o` ztc(dbBr>ay9V8@N1U?N(+T}=STFWyIc#lt*f}W<@HaO?O&Td zCOSHZh~B(6S}g0yv=dA%wn1U8$F{v|Jbsxjnn2%-`p z$r(CODRY-tyNgz{{j&~EAXk7Q!v_BdPDyk;#)3&F$U>@Uw(U#zW(H|8dOrMCqpD;A z^WYR%F*2rE;%1CdFIJ3y!6Q@hqkNz@I0G{v6@@Z?I)~E`;SZKY!q33!aRvK$0^?~e(jcLIl?^9wg(n!1dm)WGWu(b|}qWhS@|;w&$S zrQYT)Xg%qP#fpPMb8Ta!2HdJh#$N3#WzceW;2y_7VKQ8UB~SW)9+)|b8T@!O3FM#- zjJTzPKZm|b1#Sy~xGSn(OoP!)0>4Qn% zI+T4Il^pK{wKR0R3@d_h;97BeC0L%woG?Hp83{=bL=z?fXZq< zcoYd)59l64Bss#Y<4it%cW?=kGv5vo+87j8<+XLJqhOB%cxjrD00SFGjbBUlHmHwaSnEC#(iYOH;@sRExkxn&hP^o65`((u!TrctBx!?<_hZ9GQYf68O8VqBp@XwB zMW=54Jov>g8hS($-~jqCHCPbXs5m~MF3)Ksv~HlIBLLShw_6fymSY~`Yx|n6= zTwq;rbZR0eai9=Z+zZ6CQfpCB5tro#_?yUhw)FNDYu4Zhv;ZQ(kYQHtZ(}fY>5wCGpqsN1 zd%$hPF&cPst_Ac2E@F7K8&4uPLt^# za$XOdLjGOdZeTbvU@|1SJ$PCF(XN&joFDf9hhCE7A%pknd(DkR%+Iv-UHI|kD(!q5 zOz=*D1|cJZ*u3)aZ`^dpn=)%XfNI1_+M5*(7-ANH41lBZG%#YJ0jWvA>XSHvXdtKF z4TDti5Xwk7#(_ggIQ2yiJIwKYgs{y+Vot=+2SLQhpfKyXjrlf(i`pj=wgu+W^|4q5>vR6bS}IkYGds$w`TVS`s8D$(TS9MF}DqlpG3?3=$N@ z00<&b5>d`XYTy&AHU~0Jl%j$eD!^A*n91@)_!j($emceWc?Bf zg|b}gl+FIF+YHg=yd4VFUXKjAT%=(g{{wCWC zmR5#lrhEDJ@$K2Q$-vs$+)9L>-{h|s@R?a&*cgxgw0O4-Oq#M7}ASyBLp-kJFSn?2K=gZi<*k zzBxN*zBS_qyWHHE$Tw~aR#eU*-#q#AB5VGAk^k?<iBMxt*T4Am{QN*vD9;Fsxhgms%oEMRg{))3yb=8`LOCZ z#m6d-C70VfI`RkzD98ryulf0-)!)ZQe;~`?!L(vo^^Z8CBt~Gx66JF&lj@a8A(3NT}ml{o7hT zt$W_y-eHdY!eX;iLqblDiFHQXhpUCd1s{nB(yM z`J%qk^A|7jY~6a4gM-7;VtmrE=hLUt%Qx)bMIV?5ycqVOl)o@(=~})w#l@}eg<(BE z-tnXu^nOYeG5_MWQ#HZ*mCI}Ijr0W7M7H`ZTer6N^dxqKIlhmazJG!vXJxcTbG&ja z%Ze2dadF(TLHpkJTAIdT>=N~g-KFK^YB6xy7j5&Jj7?GtolBs7SFikV&F%5 zQVP4jJiiuGJyEj3%%CybqWi;R4~+~XtN^~Q>9NoB2fUj5%$h})vmL1P%cXpA$PU!T zzHYiQZ&A9-v;(hZ<|%p6AJRCURqXG_15oPWqif`ZEt;j+RShM9C=q^ zd>u-H)Gis9zH(43YUu&VKto}9;?PHaoIaKbk}N{;V!4GyQ_CNhTmSxZ&Vc}l{-D! z(B9r2ZQ1@V9xsirnT5j*O@tIdV1EwlBelOQ!p)$HoVo z)8C7k9ll&yWZhtr_4eaO<;|NnuNQMj=hMo*m)PHwXP0O<(7a^v;(J+HSqbVXrs2Zc z`3@P_LE_WHAGJz(HPTOF%Wc?y>5Y}^si1vQt9jJ?IPb6@RNEh1uD8vur#88}D*E=+ z)KnYR$H9ST$`aGVzQrPIcAef7Tplw}IIANsJ{~o9-aMP0T`p0=sKRL8+ z-8zS^=z!k7fPo=t|DAP(ZolC!%BdftqZo^~H@POPBiM z9;c?KN4{KR?*9I@m`O0*?6VFg_QSXG;F?Sm&GDZNOVRez*tyqt{W(=>T6H=DBW2cM zVvcI^64U8NjvOH`!xrd%wN_Wf);2R={{7^zzq-zc-nul^XzA5>%Q)p&IT5FyPnH!| zR>v!o$9&h&pgGp;m?9T0-uEOF57*V7H&FY|p9cYLp1r+&yjrq`29}f!on_Uk#|TDb z%Evyts!K|`Z<7m&d-6oUf2XQ6m$aWk@P3nYhY=%>_IY#Xa!UDbm(Lt14GA0`?Q2MM zo*d0F+8}V&t$1?U$mXQ0D-%ZBWqfk7w6s(P!LZhIH4j^DU|?YUTi@-8*j$5ygH^m) zjgM-RH9JJ+wm5Kda=xjlQ7sP^su&3g4-cO%O~Q41Zu1vZMjrL(ooowFq1TOBX=#OE zVes+u^WV5}!?3SDV^+f$pV?pJaN@objOjEH%eI^E!zEmoJ5nfRua=2Wrfz3v9~kMa zQ%2zFZpcb$cIe?XsZWs}M=j^XC`{cy@}&jlY<9sd&zLN_4m`TWwkKEO4uti1G6*oA7f;d zCrA5M|Ni?U+<24SXXl(z83ThjjdX+i7fr+*M^(D2q6Hm>4JJ2t6ciNrM16Ldl*I$x z$Eaa>ZMUJe0gh?e^5~Ou*NlYJ;~INx!s_MEp^ z4CcQZ0ad*r(X+6CC!(4j(@J?*02(v9ZR-Ha)dnKVEMn z5ii54Lk?eL9LM_0ZS?Z-8$+ZahrzeoRiB=h${(#a?ygA;_?wVJ=(|m8e+wrCk#3(BfCEr7JjP; zPg%rq`H-&bbVh$}56w8iaAs;e_wtWN9IjIqSZnV-f7X5b_HEGKi+3kR`w}-Fb?=-S z9|}5XM|)9RoPh}!G^ji@XU-f4?7@APJ_(SC?5<0T<&4+Kcc7>94<)o_eRfe!R7+Ng zJhDJ+sBG^}#Yfl0Cpx!|bbdIB)RW;lx=l7Hs~iLlCUci<<}SL()3mhZ#R6XTL*Lf63E<}-#(OZ zEyzy>I&$Z1MVfz`QIMXVu4VG!!w2_r>Ru*xk@IH84VlS`n0k*)*V=Qe?km@=Gra8J zupTp?krjHt;)S`D)!s*s9$A`fPs!DF8Nc8$$|2^!irp-UEtB6@Au+p8`oS*4bd!eK z=KYA&M}0oz+8DQDQ>r)B)?|*!lkm6s?E#F89;^Mp5HP|~AB({@DUS=2V*_S>+=?$E z`v3sk6B846W08A|h90zAZ)$4F)Q8ZrmvdceYATbn#LqADieJ5Y^%IGVt^VA(b9hc~ zi5UYk-}9F*UuMOXva(D*7c|{F{|q~QG&4ZgrS9H&wgcv0JSSVEjp#HIWZutQ?yioP z1UT@*HWC?j{1$j|nYz0A*4?{52zbr*&APc!JjP_spO4!7Hcq#&;C^7Bq1ga}*4M9J z^|YQ{{?M$3jCIr})w)Z`u_4E*!wU&`9Z=M>Z$U_VUaPjt9T?8H?((@G7S>;B`>kx< zR&MS$tosb^<@W)KxJQY89>6nMeNq>mz@w`qo>M)5xaLz9Uq!Dc6R5^eEEGho={0 z9wS7LW=@RsY`~98Gm@|R`T3onKYu=}j~DPU>roFT!8N=ZZQm!$J|t@jdC(sg*Nvrd zw&I~vvj95Yd>)xZB$Y^!o8Avse@&(GFqZI=w*bW#pooE|Yeyiw{yFm|V3p zF9l+;*C2-AP2bI|Vq;4(s!0%L2o6xUWy{9_-IP>SLMw z7>S(egjRK;y1a{v%S5ZU#F92a?S6b!L+n?HIknDX0s#w~I7!Q6tHk%Bc|f{;(-!Yn zuJjfiyxG{;$X361&mQaHPDPJ)AccYNX9kCcl!3+45pcP)dlawh}n%eYBf-Nv3hRzAEI@h7%9-?0Z#YLxziuIsu(R8$LzCT$=b zTcroV=wpHNr0GeMs?T)JPX*3-?o8|ndoRA{-oIasS#0QM zo4&K?%DmB0YI%@hiPt($Z*TQjxlpWwW@?H~J}tN4`t|v$DLPG?BeeL1gt9~{-pZXi zRgLVGfxH|lY*q3VEC0Qek677s!{#VKqiO}zMl5UB#y-EcNM>U4_H95g-H$cB@?oO! z>FN7$DKWa0pm8n1OiUZalYq1u8c=EV4%^Z=JN7GbVR76W>1)W6ch`%3px-b>mJd1@5_EIZa#o4kMP1SvIEeZ%^{Le!Z>E z#l8thuY4rBrZ4L=U)O+D&b4dTLTO#n1CaoZ_fq~;G(<$`!o~A^lS>y1)4#OW#q&Q?dV;HCP?+62YrZ}W# zApmqGXEj#^n-#~WU2cV`n!2ATQ97~7Z)Yr6$^`XuZ9V2x)zyCl)Sy6M(K3b381Sg}VIJT1T)uDi6K+>HJE!H%*|9dCLv zP&p==HsuBhTT#OrvPD1XbQxToDl^r&jTblB(6!eKnQDbqbX@OXQ%^|Q)MJ|&^K5kT z#f_zcXNxE#n_`Ak&z_Ay6~CID-K5aGwJ^2rl6|dfbVYBwO`8+PYp->WzkmNO8t`^} zOOi=LCd!%0i{Z{O{ygeN??Z%x1dSi)pF5Yr8pOO&JfuhFN=>4AhrM22DQ>jMWwMVH zLp2D4n0Q&lwb}KR81A*#2_zV*kWj~F^;?i?xgsKkl&fy&L^!sN-$1Tie`7q-M>lpI2?nTI zbXj>jz7M)4YWi?EeLsBs*s;!HW{K(>OV<*B2~^XT7voCmDwOV{y>-4lIjFTtU%hH~ zpPIujg?dT>#l@9o@m>4&sbC9WN#z`g+}lHfK>xF$_dOy_U&EIeiB)|biH?ej!)PwZ ze4qF>P<5um_!GbxXI%=5&I&1_0+=!!JZH{hcnSPUNbZ(qKA(F&gq(Of3-7-h;%<6i4c~veJ zqthYu&67Zk{@&j51$>td0Ok>X1VjoT{XpU9A_`9{8)%tgJahV`x;;(KV@vhWcuQ4m#rGMX5di=+M^bt^oAR>m za)>1$SPRjuz_w(^@X$LNd1eOr9cjl0n)5UCiWfQ$l?&yB9dsN`;se}nYWNu|F+26~ zYnoq3ND?YHT~snpHuh_+5NsbgGd|uCZq+0r&|&n&zONK3tgku0;j6$PqFoOvk12Ye zj1sm6sIe4efQHRe-+p#D@VoMlPfR2r#pRf4kIL)l=yZQdeOxU6e(e=|a={^|LX*a9 zMci>far_RHhEKxx49UMQ2p78a>5KXMS+Gna7zI>PafgYAA-oAdf;`I1f-PINkP0iq@S|jWeEh^{gV_jjemBA=D2(XgqIt}nfcgRDRAuZd zkUv9O9hY=uaVIS6*C*^gSJDZx1Bvw`(%_J&#CQf>M;WDDO`PIZv6-K(h@wxKI7H+4 z3w|EKVzugQKs;-5ot^fH!UKMDz4+}bhJ;X4)qtI1sI@GutUflF6(*BH-_cJu5!>7V zqyedgK;Ypvw-JZ~CS#-1_veD2xA5>sMn*c!jCZVFw~i2Q2`9WccAj|}#l&_X0+qiC zU}iS*q*aX#0a5tRd!KcuLb6W22Fg$+qyyW5=45a2iIbn5hVCF1_Nr(LuWfSZ&*>Nj zJMj+WBer|iBD;%Tph|euk}6S)B+r?*5c&HQ28{5Q;^S?r*hMdY4=Q}}wv^-?q*7y4 zqQGcX&+Lb+r+!*szZD)bCX87I*YA2>4 zps=tIc=s_9m_cR4VZ`qk6i0%Wzn=xJKLS{tpq*z+yUnii77RuWMh{U`{iypgMc^{> zmL{K`97fjo049J-D#NHoiPXhw)@*Zib)6n8Ew)mBs$9{5qc3pDTk}c0r~YB|?E^!lrdj#Ntl;J%P1RF)=86+~&+% zhPt~IoQu02YYF!91;m{faSD-F334apljQ8obYI1WlFwNZj+hxQFfbc{G9=B-pICr- zJJ@L23xqBS0JLo5#*L3p1@0+XB`>Nsg@j<=Ozj)gbZP&ILj4Y6;(FY_BqGoqWSCE8 zuSP0tz}k`*mLTd~^yAa6C-9pPXr~?uY^IAKPv6;d;T>zVwErGLwS_lbu4xD}seAfr zF*CD}le6=3@{YjtB>?>F6K#!D6HL9F34h1y^78WUV`DlHYPeL-e#}O=>N7 zY3EiOH05R}K05Z><72mem&9)J!nWUlyp}p3KM3Fhv zQLzE_y(AXea%N`c$Cv7!N}>+FqpoBB>J8pxS?jyPfe>fF@Qnx4J4PmxPp3X2rAaIB z&~DVD7fDG8aPlUjcck__tLx`?mnMe0Bwu;1UM?>${}@DZNk_PASkD?mOkfW^Md-zg z7t5HLy|uEmG_%bk6+y2R;{(h1%8zoP&ssnB8>{CoIExDO1H!@90|!2t+t~>Lxt(pq zB$R9qchVmini{Iu03KdYI)KmQvZLb$yuSbx0;+5B0=?IF*-Jj9p1XsQTQ@T^;~pFw ztVq)mZoRUILjZJKOQjGO*Q?8&kse+MOB;OHbW#Aik=@o~1kz?X_zG*z>sX4%s!zPF z5TO(qU2?a$M&q7G;Z{RVh#G7!O+>aNY(!mq#KQ!YcptJ4Q7Sj~Dk&@mql!V-iCY^w z|5x5TRIp38Kno&*b@q2QC{at8Iv`fjx-lfRSaAD*`vot3QXu7U9w!tl{afp-DMhOJ zBek0A_g{JlKr=EkIS{N3J?l{FE8#ztuf2bM^QQ#%Ws8MSAVAwRA|{D&xRJVcB7F(m z(qk2Ioq6^yfS-Tu+Ha=GZf-8V<3LZK!Srp{k(cah0nM6=cP!_dwa&KLcOTRS)X>a}Y*KZ*S5mbfLN_^{jo=4H$LyuFzt z2Sr%jBT=1@Na&-2nfK+Hi%jWp180sb!Q!GfyM>om7Q1iB^5y;k z0ReO8&L#Al^Jv}0QE^nVRj6o9_5I16nc8Z-Vwd~vx8FXryt<8&YuDuJcl%8c{G@Q2iMuX`mny8Mg;RX`*| zDJ4`FgtRyO7=swB9VG6YyY1A&2vnZ@p9RUN7PT+#G_T+4ElMui1!`Tyy7L~$ixXml zZ?-ZyD=8~ugPC=;2k5GSMNmmp<0abU;OJ;AATF1bS^mfaP~L*)N|vFj)@GKNGN)O6 zdi?nD2!x%UuGnxjB+hE^M})?8Kw7i;(elcvX7c^P0fXs@5yFL6M@g-^!y%>tioA98 zq$9*iJl6B)&mo%CV1o-fPgs+Z&L;{qUHQY^N69b|eKGB#Joz)T!s*Oajw{JpW3ylq z30VWt52c|Y=4#Kfqadr4kr>%0ASZC|-TP6zXO|R`EFn*kfViYk`3E4EeS4yHdkrre zhuP->ZNkK3)bh&(mR-1bu?NHic${yAwSan>)5sy9 zfRS;?veG_#_UV(VC$kVLq_h*s?KL ztAsMoYO)R1ap>YA>d5ym&wXYJrt7@c?ImEJ?1K7d_GysozB~#0(fT?O5N`c${p%c# zy}SLn6^|6o&g4O@iWX|Vyj3?N6M7p64^_Z5q7-zZ@}Z|yh$o^(ep6AwuRc3I)X{@f zT@7htCqfxmZYiIXloa3{B7uvIR4Ws@jZonL>I6>`;Tp9>NZlRs9A{r2Z!s^&U=J?K z7S_4^b-_q?jSNtB9AHEgkq>|@6u|?5x4Jojxz2DJw*=Lp3s_6`U9kvIM=a4Ck%(0h zC99w49R+)?2qv$>E)=lP0g(ZKaXX1BTTk3oxqLYr^#5bgNz@i&@7}$uBEku3@j6!> z`}WmRRYY_Vw)$oO9U?(9i-xrvyI|=WQmv2Eej|6xcM--EfxN{mVQp>aiD-w(DqT$@ z@ps-LCh|fi51ZDB(3Rw$E8y&?n3oGlxjy=fb^=TKqr&G(RdEbIagxe(X@bHOLA**kv zunUjjxm8dkv257D1B?rGalo?_((8gniyB<7UcI^`Ri6x;(AK#ko*7>}Q(%h_Mb2>`U%ha8R8!B7al_jr4+(w1MAYOv+WGVA>Y%0r zPdiJ$P@8n-F_0b6TdQmh%NzHVl6?w{U)9HtecrylzFblOX~0g_oxy>DJBkJTLPL{#dwZ|) zJfjF}1^@s9a}T5V?1sH0HD#-~xK6PLa|M0k>C>m_5Djg*s@j7_WkBLCD^>t{L(~h^ zDTrvFYUZDvo|l~?u!eG$jZ)~?vpHhzW-_>8GNE8Zh^eHZ;UIkvG^Zd@drR6VXuWr@ zU%!q-aU)AI52jaAQu6s4-9wfIXU$336$$*VlwnL)!z2zPA@1PfIu52?$h484z>Nt?*K?|GE$y|u=i&BTxr}d)(3OzXFSNXV zpS-+0pmc#buB%RK>P?B6^ZLqXr!MY1e$w3BJgh@$a(uj9*pW{vEG%qrc(|+v2{){V z`6*-;@T1sBZ(eb^(wRd(MC*zt3en%(-zsR?_C_>Z6H07x>%)hva3-;Q%GB1lV(ID=-6px=#J@AXW_U zB8(JqVxw~uvRkmCIJry&Wo4!8FydnzR`{q@@YXF`{tVtegb#N-9T0``oncM@s#5_K zMUaZsx3aHmjL8KQmYFl<-U6q_Uo1fTIfdOns6_>(B=lq_`L)}+hll@llVD;tB-vFW z!gh~TXgPB4L%D^>B$)>m>G20@&!rU2FN=8mNfXLfuH66)gyc-K9(| z3G9U%$^zt#gMZ)Kna#JodA)jEL*9dRH=v@Clm+mrR1qdNl;4QJii&8g&}7jvWj>^4=mQi$yfps}}B5r-eW#=bQf7>P-zGxH#hB z)`)olJMeSRbr}#W2^a?cCdLF}VX}p1lS1*_jVmysAW?i~vY}ZK_8qm#Fzgl&Pm|Km zt;K7d^`?zM`%My%cZ0PV<&?gc8&g{`W|`DZX{F>^3SJgB4|?YN`LTG^4IuK9=r}kw zMkiGR_7|}W5W0|a$F^;fhyiLSXMs#&i-mry51X zWGiSRDJAeX8E2o*MS3`e^)%W6Wo|fpcIpJkIb1^F8nvD+eS??eqM2S1q$bafd*z9`gX8NYsN&gBVT?P;Se~%iC*3 z{HvRE7k9q#O-$r@{yVv+B`eq7Vw6Sy?G9K|>RPv!9tquiGuz+ZTua=Xp|m5dv`F@< zMN#g|Ia`dvrnS_68*4F2WO7^j{-=SWd}l5L$Ab@INcJrc6Vn7_^g(%#iXaB&5SVO$+se$$?8f!$2E&~n;D6EItV*B{C0h}=MC0lCTR_b4Jw}7%jsxl-=nT^1U~eHj zr^MCb>FHTT)6OFXMcy+{kAaT8v{{|ud*(KnZ@sEKL|7S&?+4Ufq~v&2Qi9ZcV(43W zY1%BrYGqjxq+gI?2{o_d2XAWF9SYgezP1M-Uo*n_+yrpXM`CJlGJPDD*mE1jy$7T$O7)}oBG%1D6?L0nv% zKDK3Mf%<}sOy1|R$h+!;?EzGEg|n=Sl6WpIJG<*ioc=zhlU@tdULQECcte0GDmuF9 zyGfDo{NXL<;fW%}2G|H$0*~QBp~I#__&Qj%FbeR>u3ouP&ou-<=-#~*#CQtGER^2d zq2_$~DBat*)#zk7zrWJsC|RW4GQLIji&;fq_5QwOS*x4P9noj%npcDI+$#U^xi@um zYMfq#=SH;lhxOp@Mv4AP7ZCQq)g3uy5VMCNQgo-j=J4etls-fT2QafEjaC(JUvZ6b zEf5tGYwzj`Ol$&!2Dq@`yEJWAsqIm9@18cJ^Kb9WdhvEiy6#`P3OCU{wfp_)v$C%Y z+3v9}O}cAQ6tv_V8@K5>S&O3MEvH((evO1f5yg2!0~{KwH*QQJzLcC(8X6k375&{4 zW5P$>pTC7)7wN%o_cc=@0gMcM*2Mx>1IfJ_o<}4>SbG(GszKzc#wi>IPV|X_NN@bD zEYRrFlgQ~6W52E17Kb?N zUErVTvBKFJK#SGjDabWJQ&IEhliN8oXLCgGB``ZEagT*nB%etu`I-t44676Nlj>ss zUyx=MVPf&|@3w*eYAc1El8TBSily_vcw{$ycenm1#GzB*MRJGUAIw0cLNEx{X5_C3 z)=d!y4S^g8p@{k^864yeWW{3liX@wYcF@z+?88FSi+imRCms_4mIc+*ya%`?YWd!FLm=z$hdm4nQW53lh+~ z>M+_H4=)h$ZTdw0{CU|K=DP_1Oj#OZA1bJCFrA0(O5os{TeuC6Y8hjKpFV@-CXv=B(!N8b6+O36cZRdDzu zfRB*!0sER^*)A$on~_CFTn-zN@{w=)9KDo}-XVxVO5klqpv@+NlUMI`9qm0sY`Q=vfpFv}gOA;bY6Sb+ z#-V|{5v7NOAJmFW-l&L4OUt^w)Ty4;&HP#C-~NsjN9=gW`pUp&#Atl6f@8tLh2Ofv zVRt4v^_44Eh%8P##qeRC1bbT$7Qo0i=q}6kRRe2(wucDu?#tFaf=(grgX(Mq4Fv|x z&+Lf?VL1{Gn+v%&ER0g*XCD=qDCQkCdG_4&QH-tk z_b-fij_pa@5!OZUs+<1Y|Ah?$mucFBEveCNWQKht>BVYsG%FMo7&NSWq#+E3Dr^eG z{R6|yxaSjUSm2>x*!A|-Q-cm4^S#}3;mA<@E<*SDf1?dek%cJ^e_ z58@~WlN4HPl%1TOcTi^0B#@%}jX>-$=!RFF?~}K3J96TXof2qeSU;JFl@YEohT=$! zjDH<^r(R{LDIQ!WTz zd$gCdYW2a`l?wZl*s7h36wa~;5%Ktm6Nzw5(I(qs*RzfB7qpIfS!`r#>SauX9V7EdP+EPLs;4{2KAArTR$hP9gHeb zV)hv!@JKR8{eV8NeR+Rn!$M*LAr2i*DeMhKe+7z5BH(OOC)5yy+jDUzT@Oou81@ML z4e6l^+nnKDAa`^eaRQi}&^g3Kh#X#n_Jwrdz>)qYO=#r3gXB7t<1FeH6|sn+q_HSL zCqEbW6oYu&3Bc!v7zg+wbKsYN4ys`&9#c+)JEGb`wg@722;irOdJDzE7cz4s5fucO z(DTk6@^)nm)&->1iprrbu->&$$c6!KdSKmD$+2v=hCK9+AxZ{ob1*J+b8E!G=Mb^6 zgy~SbQUDhcAZrpIJ=#bZK^5XBHGq-GxF2B}( zG+#UiVGdE8^neoj#obZ3A3Z$Ge+bEh8bDr(fB$dVnTL(dk=6)}MmlhuC(=0$A=ZmH z49EQm7IxB*DZ!i(O@)YV#7{?D_7DW|N@Y|`&91Y~X)=tp#d5d|3lCcrEO#Z=9Ybpz zsLx0wz*7HDI0i@nowN%A>YExJWIN!fzwjd#E>T{vI&$hEu_wB@QU1OYnyf0sg7#eS z1jONzf@FgYNv6$Vr2E3()?ySUnj5@727%D{L~aAwn{fWE4~WR1y7pgCf}1=U)|VmH zB&?pHw!NPs0eIo`If>`}534p=GfNGL9rhJ6q6()Fg@;i+wAY!Y)!`YV$<-0NkOz3% z-jSD3j<1{3Bn82&3Qcpww~eCVqz??qTcKsapxKT2BGLnrdNPW8-^2yvk62b~alV%V z99D-b9!-hjr0o>|q%hrXK!=b7DFqV=u(3kNNg|xLHiMInSgg0ONosa_z?D$7=nboH zAU$BPR}tZ(3IQb&!2gyejq%taFP7!{!Wa|-9MEo52pI_MCXW?~3XQS0Tl-aW`Eb|XSRy@7Ds?kYCR4Uj}4AG!RYA~{7&_h=AS2V$F!WE|k&o-wN`isc2BF}W; z9ZUYtmfPFZ8KHzb0il)jf=xdgB9!aq&Ch2VAsm+NWbkeZFD;mIeMz+k2S+@TayNFy z%ux8O0Wvv(mH3tEKdPSoD1@4wSjIm4AbP{TZSdBI3p2Z3-TYVJ+6$}?fz2AVD@j6C zpFQ$kmy`r)ttM*;r5Ky__Uzo;1kzUudAu%~{Fvgo4seDz%HZNC?qz^@%By8~JOsvP zu&NTLnHC&w%Bc5>8D$ZLe$@)aT86Q@6w$S}2A5OKgq9t}?nCCF`u~dCFYx3V==iPU z`t>fG@h*%aj#28m>EE=fOnFW+I_WM1;aH9J%OwRD?G?a=i#SdKA8sU%L?LDqvrThz zbN$l`w;@1sNnvMxjf7UG%SrCxA(T--wi{Xcw2;E*C=7 z8nQ8LIx7!@Q=ta@TE~yFPd3_o|M5c+#s&l}VlXA9BqMUZ2pxs`OCCbqg}Php=a*{}n5*{I*2mc8#;8e&>Q{H+*Bu?e9YMwz`EX(*>1l%M z!BjySDX?hoO8ujx^+kt18wXm0b%Fev0`6vCdLVqOR-G>iV#3B?+!|+YmVBnlAt+hAv)Y2|isKJd!G6HtDAp+pIhAC`R zu%h8$f)iJ&84oS6c8*v$QR-ogCE*e!;l~YT&myr;wdo=Ozr4=Jj~^$QI6=3t0JWk` z%gbAde0G?qJL~pJg5S!a^)XUW(lxg*d5i@;Z=fI%ON%7cN=U@21y1(hg|Vc6sgtVXDKksSNj`#uO<*{81bd4vx2Ip&-R2CvfC}SD9H2Ufla&D zoLUmFYu@;5m|dq?b!X<%nr$U>dfttn3;D2R(Qx*8xF?zd}b3?v>!cqh{D@%-8}`{w4}qP`D_C-??Ud?;H;cO=QpporV+ zBmfG?F)QS(831krq<&x(-^0TA%%Jt{+5(1P;w>Yv9TUI6nwvb_USp*T+oGeH2?dHrKBqk z4x9YM(UIX{zu4G|G+WSmFmW8z&0h8N5}{hae^z|*F&(~`Ca|07wEFvvt^Z(J zyP-$NXWk;p++GuHO`Tq!o&qq=U%lLkY8+Eq>{2n|g`R7oG zT1ducS#kE)h9fg8DrGHUzCn4r14p1liotLV4(Gj9AlfcOCn39PTO9n$5ezq{?$H{` zlH)ITrSTNWei2MtT2!-}iNgKT;tRTZkX}_HO_b~E+)Plc9k=pc-r@qwfZ zRYl$-6K)}0%@5pa=s);b!Ac>Qx)RK`x1;vO|IYP7x>_b=s*sXtpEi=&C9253?0Erk z9}gumX!kjHB9*_oy|xER)CU}-cJ3R)U`b(thIk8olaJB1ZiI4@2tp|AhEdlx@Xrr; z_>g;Tz$|-PB|3me{3diFIq(pt2O4Ph-@Ad>hYGE5ed-QUK}lCFL&+y>K!f+N|+UURY2L5i5xPA?3S`v>l>fvF7m! z=DxbL*S$|EQ?B!^zifN@hrEhBp_zF}5h-ak2L}xY>O9n5?{>r|C@29^x-rThYQWs0 z`Dl^JM~fT{r#DEU@K=J+Ozdf}5~az^+hm%yuu+BB=+HSvTpss0Nnrz9Hwee-y%nP8 zKr=4^1NM=ex&^`fq4pArZ-}V95>ao_NJ-9*LkFX&0~~rnxBm0Kgli13J}rb;2HFM& z%q+PmoO4CYKOV5@_Cqbs!ot#4$-%;c)z0agfGkXX3xWxXQ8EhmcoerF`VaX8|2n;t z+X+T{Iy&$Yz$pf5FLA>G@Gav&!!rDhX!B!xDh?}S(IuSMV|FU>`N9^C1NX=o5$IWnxQC}O0CpICy@-je5(Ob1I0c9Nl)rpOVR1*> zu`$%a2`n@f93wSpV}M1$1?k8)abA&0ty^#zAx6j{1TaFQyYGsQW1k?PavA2H#RuQS zftkvwhpw0cVu!`$FlC8%K?VpX5MgP*;B+K~!bgU~2CAi$S zCLBvLP+R{>A`FgTiOL`jxak*{_hQDlnE*(svty8w_5l!))!O{6r^i_GjNIO3M?srf zTJb!SSP6*J_VufxLBl*sQ35fRM^NUI_7*Y-!R6m7GvV3%kBy76lTU$l{ILFr@BNR? zNF0av0o)pC3==eMJWX2U;pKtD%~01AjiKaBOu*tKNGapvc${4~bwM;A zp9{~l+lF1JL9lhJ(+xk8qy1#V#kE&$J5`C7c2x3Xhck2zR6aR5IbD$+991}Sbr=m4 z-5wiVD#5D~{ONI_rL`3;Abc?9NfN@42#L^P8p4Tv6K1Rwv?QUY#*BEhIPBY2Is<1i z_1MEgG5lgFzX2#sa*!VIDjP+g`prCRK$zV2#aV1bPc*iHF52=Z~+1 ze-RCj24LI>-w9W0JTkfet}{v!Q{S(VK235i2Q)+`-2({jA@I9{nm7%A8@hKQVcwVa z!Biw6I%$(eNpi;5fDpBe6^U2I2LK`(mEBGdEa16)IG1yXo?g0Um-*=|Y+6)e+o3Ae z(6lv`V@`bl3rr4s!T~f!2=}CTsDXt;N(qQO9W%)|U=Y1U&SK=n+ICGBTzfGUh>#5% z<$?dnp*CvhuElmI8XxhYBkaOa5Zb&Q?w?8!iM<|~{5U-YIxsmx&w0NKb{p}dlg=rG zC*gef>^#?#Z6`!pUH;x#=>iW9Zsc908KkM+S*9gRe2C4I9@z&Dhp7}kPF=WaM_(fa zDM(9u67ds~96ayB^UZJ~QvnXV>8z|p9pdpC%_2ej41EfIwk##ae)POnK_~6q+es$} z4l#9vk`__oIDl%xKB4{WvLbq$7d(}vP?GKf*A*@I^YPgtHQ#}nZ6EnX?ox=Kz$g*He|;)EiK4aMY<*72IOf}*vXknO(1c5VezS4~jOLBO{( zSh{$z0&1>h#ZO${J^|h4+N6UfsB~mU_>A6FR8+)k%%O1eWuFA}6Z!<=8upE3()a|L zum(*~f;fQ>rtYC!dMNN9juGi0jhTqP$oSmE9f8Lqi-D*_ptF0(Ax1bwfpkd2KPyIG z(9NfwtRV<>=M-4hk2v~c1a6`Bp!^g>Na8bme8L+zLK&T-xs%wBBj~|`Ms^suxmI1* zc_byJ6}_lx5W;OBpfh$fY)&u%ttYNYoWS`eV_*}O)(XbbLf_o~s;QEm-%pN^#a2|t zjnu@-Z)E7kSS{1zpb?0{4t^2h#i~KStuxBj+1x&eZ3#HK!>I0QG}-6ayyVP@$O^dM zh(bbiRpz59XtE=YZQ{9y$%+o(B8dI#>dcO1OVA5B(2|^3iYQ80Z_=bf1??}iJlJCV zmOfJHNmd-S`aVo75xPS#zypPw@;5U-$v&t%jy5uC*(a3$e|JI5GTYHV_13Ccc#y}E NIxcsNcI52U{{f!0gV+E7 literal 0 HcmV?d00001 diff --git a/plots/step_3_accuracy_plot.png b/plots/step_3_accuracy_plot.png new file mode 100644 index 0000000000000000000000000000000000000000..f9054d365b5411c3698cd34ccc95935f1076bf6e GIT binary patch literal 24154 zcmeIa2~^H|+ctceHi~RRh?F5yD5Q}Fvm%;Hqoi4-Nh%GSoy;W>l?rJd&^$*J%^EdH zlI9`}n&0ER?7hGJ+|T{K@AH1|eXsR>Ydx)XyW4g3AAZAm9_Mi!=kJQ#(SvhYma#Ax zjJeW>_9-wJ)7lt}scN%+!B4(%6|TkqiQ4Q}vr)7#u(8v%(r3u(+MGFUVRPE}__l9eX=Gz_##)S@-|Vjs@L5GYDIsfhkdo`t&$;ofkPcL4Uc^=ku=}YFPObuSX;~`IKKKVWgzkhzm6N#&b zWsdW0S$s!hZO9!1=K`5EMMnyp!ZoE|AJMehEj6WSY@#jiyswn?B9WO65;500t$I>Q zM0-UG>-&61Hw)!#oihcG!C)w++|y!y!&n(KjlMZCd%6wt2b*18+2|YB8NZe?Kl_w1 zRgC$Y#Zpo;>6`4SvoJdNQe#Y6!Tg5x&x=g??~DBF$E2_F;a>NOaK-g^HpuT0@{`@9 z8nYvfXJ%)0tWS|a`N%-$irPk(Nhjr4ZLOZ39^T{6gEPjT_-HG%dg<0VSTJ$n(*fs+Xaz+@LF2MuPMuGSlnsmh z-{GE084kAgj*gqQZk3bu-SIBjvf10;|8#HCskaM??hE9_i}CAZM!mQ=GxBVAEwB8e z-_JYI`-*4uwOG$6E-pP|YPQQQ3nbrBNIj<9=UDi_I)6&#*t2ee)C4H=~ zVA;;IQ8zh7A6;eNq#f57t{57Bwp-mj@y(kNnR2ivS&FwPwP~35_Ev`hOJV4yBt2Z>Q zH&a7$y#Mx1E^!m}XsxufG}ubdPVP@hPBtnJkyTGW_l)cO*WFu=KY!(&%J`^~d>>n0 zt>M<1gYm}Y>!Q`3?K!sV+wUj!^w`mc`iBo6?3WcQ zDk`=#H{Ukwv{sRmle_6O@RF53%%;6;zmTU+hJ*6)-k!W8HeoU`HY{`KQ0Y*k zOYGt;>LR;*yuD9_tB;S559G{~6p5d^LQH9`jCW~gY*x(iID?HMBJYDc7$3i!xxAAx zcJcjtHO!t&L#l20_)uf)`}glPN41jA?0$UEL*?~V_Llbc@H&eut?`k8@|rlqZl@T{ zlt&oh_M1Cw0|&h%CukJR9CBh`}VD)HX-ur z68;!>Zf7;G{sz0o_TOf5$qo0l(4{>+f4#vauI|IHQ!GC;F+N(EW@j;D`t&z-bsCis z%5f$BF&arnv0Vet_etMuxx4xJYAmQCKjGF?$#t^6!7S{&hrDucuGr*P^kwVqH0#!* zwiqC1XXn0wfl4jAhC9t3-TSXCerpidj+dyseM}-eJ6o#3d9*vlyf;uOOm6qJ#ak2{ z98wJm@9A1hj!ML;J$p3Hde7CBQFB@dn@Ae>W?jOkBqMWm+_N`pLSiw$cGT0STd~aw z8XI-yN&E=9$t~FRxNL_R4p=xLlVs! zB64pmuN&oAzdq8ov#K`9BJh{F%YrY>UEa}E6GxAL^&otQPfPv&{rjn-J!$MqmW0ma zJ}>w9z>TsehkYpMjQ5uxL#(z#J8iJgO(h8z+sCF-)ps z9_-n(XVLQIk+?U1p7ZRvbCth;DYA}^HY^FCOmx75%S`ffJ+_lq|MwC}dWpX8-^&F` zcCE3qv&$H$(x7W(V!An7M)Pk~*S-|_t(P9;$TcnxF@E{`?2d-CBreCUZ4X4P z55#5+`r>&XKiFv}R`_c2TOM~u*^_G&9mV_JtYKkcQBYC2+mq7DWmcao?;$ynY*G>S zkkaB{SB==YuP1J@cG7P)sYI31M*Q^pT4$xI4l+=Nx2I=Noq3upVsi!Z(*UxC5&np> zCQr@9kT~SJ%0x4b2O^ftXq)fDA1mu8v~l}(h4se*3N5*;FzaRI<$_k958>gC3K$g1 z^?t~(ZGB*8g1EIz*xa9uTOz7j+fi08_xigFGgvwAO4_t}j`X)b1}cbfnVe8hKJ$?4 z+{Yq%c+M|_XwVz&Om$*0NGVq z(ZF?7$HpRT(6BBOI(@Gvtyf~8t47gFDapLSuhu7}@*7Q^e!*Q{)foR=5AIkjgLcGc zB@Zs~`18Y7qlOkp@>g%(tkUxk4?%F-uyLbwU7}g}%@sSlMq5;r5v;I2nfM~hWzuxe z5kqbB?bCitoQ1ErVW_A6DAd!3ASp2U}4?44*!KjWms}tJm^$cqsNMH@(Ofqh8L;mpr(SAP! zgjH|VkR5N@p3>LnxTL$3b@Aq{JRETbMX3gXSe6`K*YU6DE|<@5=Hnt5LPw3siSfD8 zxj()&TSxH=3JM<7u(65PjjOq?mv^(K4(my85x;i*!|vFDrI&Q~9XPNoARr*ujde+v zS?IAqq5Asz>tSJGoON%bdwjGV-agDY=)rZ#-Q67#!@^<|8S4ht(Q<^`XGvQ$lS@5M z#hX;-Cp!#u*e2O#bdOhN41F*?w4F~o-Dv57p3z;ry!oD|{6(#Eb!(7qmLniq8|`%H z4{Pe^FgfBURP@jZ3+IxbpWj|bjQw2c14oWr-`j}H+IYs&a$DwT&rbKjd-s;^_4+WMyji$7xLbym}^uT^g_1!b8D-izl2lm!(O1A8}acw+!MdImMq`Bdv|Wo z?u%V!z=zv-T1K2L>Jp=KGV`mlTwESw&Ij|VBb#H=dbT53G(Y8j{`~oM;D@EkktzvE zxKK%3RkX%Uvz8~XUhP}6a%HyXDWzELhNWUQVb6dl-5U)NSyM&Rb5CQ{t>wUQ#U-uS zdA9ItU*C4D{>>LRaJFk;pS38~=mOd2yYf+gqW zb(M#D+~w1XC@ehUn1vUN1TqpexF6^9wns75#`p%OXrHf>c`iVdRXkE}-Q)u=uSao) zB@syO+vn`vY1iZ3-#Xm1T{2GlW0e%BGQCgdkY8% zBmig+w7uJl{F|8Mvr+NDJn?={A@lk$>~MGeOLI6@BN>Gz-SO)>o_W}ZujTCspzOn_ zsLcaC4H^i_36s-j&Wtpvj9_y=eAo*c>K8W7w$j0O2f4!!+*lT&ospU&)|3AIsC53b zn`|q@L^v(wlgzb-hlks%bzF*WSNGd-JN4gEPcn~Icp@WOQT=f5Onn1`FCv`71dXmN zSli_h=W+QQpzY@`U%r%LN5m{#e^g|%PU7j~?j>G478AZ9RTq`s>sH72XtvZr3u>3fkdg>*ix)Ke}iT*kh+zs$+8 zZ7W?hIyoOGzy~lQ#%-k!t?cZwo~$urWFO)D z#Kx%hynjC&c{KuoRLtu0<%|p@8(&fDkWZgJ5rUC+2}r6zn(d6?2dV@Nw4SvgDZi*_ zOSSd$g$ow!u>7J_?d?Itl|3h)Ysm65?=e~Wif1bJ5o$c+` zIm*%Mg4L}J4Gk-}d^V}_<+&wdCWGRffIii4 z**aL0(tL9#4TykY@mRClhYJ@jELyaPM>-XtO%PRxZP$Bwlzg97TQXQyfVa@h5pF#H z`1bl^ChcWU)Uh9Lw(9BWbx#qG)ihlG&Fo7U3W>a)JHAV1#= zrTG$_^S3%Ty9{1;O03sD41|GT^%(Qol6oU+W}WE@*)wb6{DhIH4r8fT02AHr{9e-} zT9?pKP>}i{dSlXf=DBYt@d#4l4*jJlz}S~A-GJ@A|KPzo{`w!sP77(o4Cr(Uj1GxC zm-GNWkUw|sTui|!m-$s8vddrR<#m=HldSX=G~HqGVOLRrxCXXD^_-$S5AKq0PqG1s ztumfAG@@E)u*_SLih-?&))2*rBfn4+TQ;tgyW$y5{ z%yKJ^(i`e&NbQVCGjF$X&&rP+IOJ00SYdKg7r z6>ujBCttI;n~jePU9GP3!A{E`sJO6vywJdf4Li%CE#b%LsOiV--kO=;DjTVW@5J6i=}JYU^SWbo?=*XWvW!C!##IR$L-fn5nUU@ZBDU z+`ThwVvNt9`dSLqF_Jx*qvj1RljEY!RB9oN*H~Pvh*ah8{*bY=y6%>KNelwUVMOyH z+b^PN$J|)hKX-KaHjmW^e>m5C$+RTk$yjGpfbLRtzpI zlH^O#Tgc)=RBYx5Z=UrMKFv~WGzBBYRoifT(K(2iDTKa2#`-ZIS*ty4w*ZFu9{4Cl4hAR2jy#bf0c%X=X+w?6Uv1_)1>%RqScWI_}T*; zd)^KV8x;9&T)9$;MiY1dWql;Tx7xg2UtOtQL)A^-9;KuLKpApgDBiIh_)c-(zTXp1 z*E|AR*|c`;ejS(bgaFV54M<4DauKZ07_2pYUUQn*Hc)VPoBfMA!;z&??+O|eE~UBx zMW=e^dHa~w^;shwl-lnA#fRl_yJ({1E(4V}0Jh7tI!24lX%xAacC^LSBtPIq9XA~z*nH~W|%dkDkEPK?TD+mlqbE( zmo+j93vijR-+$mhN87u{9q%5y6JxUG;LSEvO7F0jVz%k!YTB*vkQfP*82h@HD4ou# zXvKoNTkas4Vm>=jN>m{Kw%ELXli5~fT_VmbVZl9ie8@->Pu{85_5K+xL)sR!1a)EGOr=c(Ym%=Fk|_qrG}L$eU^+ZSfpoJ%z?V%Y;{Nlc~&iZ`~T<3KyTV*{J9lM&npS&wR`+DH?Wsfy8x1PH3* zmzl|Mli95!#KmB_h#xG+wGYV1#dP++u%Gz5b5Mg0J7cZ9}Nj--R5J zdrWfNyVI;{!nq*!bk?In~wG8&DN*JN4$*(dgufRJNS0*8`nL-X`~Ej$Zd# zdw3Z=8P?(T*$dZwRx`Fg{pNzQ%=r?GT}v5xc?ZBi-R zpb~XY9;CD0kFQO+zfGIjyP2kh(O`gs+NgLXKFDtGhH80pdCs-^Umj zD*WVuKOO`2=Mwu892&a(l4W(OzQFu50~T>QR)T;M=8Du^oh2Es+F z+MtT*_Un=s`a-}sRR3H8a(@@Jds;L2-~!8QJ1~|A@f_G0xY5Cz8Zn6N?NNi7h>VS~_e(Hsn7UO$;zJwK?R-wo)5&RR%aQ8@Xlpf7xiMsqh;Rcn{L;0D@9s#? z$e{Z#2b~<3Rh9nKu!M^?U%qx&AGC+PtNhnlo*FVC{GHm+n3A z)@$utX|~wvnxXH&xi>(Z)w;}c$*MeMj?&9y*VpW62f(AwJ$CHaV^rmI!5ctEqV>h| z7%U6@bU&A~>oXYp^N}HxQ90Q5e$YZ$D4fQ*NFKXbsk=5|pvExpz7`9MD}vG2rX1G( zN4FU#^!+cgF_Kq7A*ldL<>cE1!OAr~N3@OM+Bt#+o`4sSeITX`R$UG|v50Rrbdf_u zzn#${!VSb)2v}A`W=8`b=wfoGERmP#YjO6Re^kMe57lQK0jeXZft_DlQ^>EV%ZfgG z@72~hTG)qROzvD`wN6rzlA81xM%B%}V8O|=9Q2XRpTH^*%UQ%XZFSIOCx`^ivOw-V zl9H0QBY)%AzI{6>DhSfj2!nW(Y@X{g7)xh*dV2?hcXmABIy|dwa(j(?!szhu{L;xM z_=C^Q&1>-I69T_Xyk5%6*vhtYd1$8k%=OFYevA|US(+orfv>}F3k#LNZ`SB9a=^`i z0tD0Mi2TM>0kap($&ovG@)4hA@`_tUJhb8;5CePo&aQxrV>hOPCt-+t@+_HC8Y zhp9PR37VIO9y{y>a$V1AfAajFf?!BNVPU-ccMxS5qN~#_EG(qUAQ1u2zG>=lV=TEs z8sv%8F6&~a^XHGm1RK5m5a?g7Bl1&%RQts}p>@lkVbh-fC_t_>21SP4cvNeDCMYS; zz{Ok4g!!v}d-TWC_x&>>M27fQpbXD0hSB zs03YY(i>;nsUkk{qj{am?8uM2Jv2rvZW#3~TB%AX+!J*kj-k9EYy>vX!pb&fId}!& zii4D@BaX*~;BV)F){&+nHRG6+l`C4WX@xik$UVM#e#?c;DT@+Ejwcfzs8B>k zOlk5}1u7w>j^rR*oE=;<^d1vX3xg6a;;)<_a9|8Xow31B^-7{FfZ(?mftLz@V8mZk9+ilP-r~wuEGy1(!ZQ3899O`&r_u*DjQqq@_Kz?Zl@Cxhz zmWUS-NDdA^n%u4ZbGTNlh$htsnJgZ>eFVs*HU#BL0JBg;mwLGji>&cPA+y?GB7add zRsn?!;HElpS-A3rix;s^qP)Eq&E=NR#D-ACbFGz@mzO8904#qvQbIUJYnix1{0E25 zE$atYM_sjM3hs-RO_?&K16cs~1AM1zKhM8h~Requ^VEcf~KawwtWjb z1d-zl*BwdzVzq={yMmAs*fC?oc_JcKfylTxb6yo_<1Q!AP!S8(%8co4c`CsS0IqxV zX>H{cLZ$JusFOZ=v})n8T@OP8902i)HNA@)8nmFks9>!Mn%9enPmX=}-L8KXqQ?4p z^E^1m!Dv;69^)o{33%gd*g>xk_N@;%b@)IpemEokl<$wbJOOzibL<$9ry^?Ho2`2x z_cS#%s-uo8 zf=;Uhfo3(g4N_qhaAX3QV}ya4x{DVsC?VgBk95Y;O86eXPHh^~Z4`Z($@5n0ekpT0ybnyUYH0fJ4VdvIwBmPyu=ZLmq;hxoP$4m-icHu@WUh zk!*#eWR~VM^TZ|E=XQguEqm-C5kYzqaww{YSg=AHrCqolfrqq;)=W`Ap{a(?{PLLMS9sV4|KBsO8G>Bfu`vk#iE z1I3d3{q6c)l6djwJnhf&xXRP*zmr~38LoJcBJiXA*T4}xSspXHN?%}3&epV9i~K=t z(tBZXruVpBdbDZHn!VuIQ~-io07lP>GLF1dV`Q5&XJbwY*egdUy={7GUhmu4t@`}8 zfvvy<`1+R`T2=-YJ=m!VDB_Lk(pShV0;PjyTrZv;-U?1<$b2kM)$hG7>Y7To{%A1X zdTofs#!(=x-`e3m!rI2wtM>q~!*&t=rSSe^jNJ;6Gg8Q;DSXYXt)bIqvc2c7JDunk z!{Ihlfa$jJ^gylhWYykFMj#z1%bYxU5-I=j4A#Y()*MK3A3vTLJqEdbipre0pLug- zAV8)mR!>Li!;2Y3uV3#6Ls|-%EH*{c%IZ0Gn7J!j$kQdw`rWau2mppJwqCg0pzL*WkMW-QWHJ8EyH zjzly;;HDY4iJY9Tutf|?W}*g6AOsMlO@bBVLj#{n=X3XeI#K~X0|I)>rO`Z;btwHQ z(DD$cU7KwA*q|gJ`s>%PW4sG-xolZp)FGgp0k1Z?529d$ui(d}DpWQxsMg!C6Ncqi zZ~om?`|{}z=`~ID?9wdr=2e4Bb1Kp=D=YK9d)L6l-`kr<8myMwfddCJD`uM(Ok{i? zojK6}b?J~U6C_dqiC*fJQ?u$c@jDms}pHAjx3yWUPf_(=Mn)ZEu zD_V+{U;iE(nE~xN*ez`)VA8Ubk*N zM97PPh6ZjOh@P=dcQfNeg5^hmDlzA=WLSHEfAr6aR@(@;?45^tf8)lD4oz-Lyzku$ zgLu#hYFG};2G6+Y{8m(FI(8-|5zv{Vq4kg*1naZ{`K1!oQD~A=OFlbPmq-*xqJy19 z=WATY_Dk{aLw>dvw|iYu!e3ouEe&@9R<_~Ivyh|@&v~_VUhfpf0=+4W&g;{#vVoVZ zEG=(cE4ZOk;9%h6JglbtfkV_P_`prh`<>QsVcDJAWmwD!o6`DYiJhN5!RB$dv$uvN z%TDAIZ;#s{kO5HTTT2r$HI$-*uhPb0*t=n`eg1q3rOaUfCa?ZhvkJmZzyCfR@i*W@ zY~y6+d`?1^;{&Q>t*Xs($pS>1>x8^Suz{n6Y254kbxOlN)G~@-D!N*|_JJzceeoAE zK=8DGetUcHDW5daK&^o;F*NKzVYD+41oF02(Q^dN`p9Xs5WhNlNmujxFm3JB!r})z zzdz%pU%PVr1g`&YTz@MAVUgP1kY=Zf3;{n`Jg9}vK``kVV6JZlzIyfQ!p5Z`pCp*^ zjU~F=LP9a9j+Ij=Cwu}^9-$f=K;#*S#t&bu!1j6u1~yJ6E??SKaaLYrJ`*dg3?x?( zz@w!@3hK5yn~!hrWxepk680c`sU1Ompd509gH!=nVWWEDrEp(W@LF#8M^=3WIHlljB$C}lvd8EOh zRU;zX^nI3I%fs_NkhZ1E#CL9@1|=jUA~cd>GABk%-ED)~{s7DIQ{9WUrv2VY){8kg z$zQ(1Nn~|ytWcn&4K|;*tq~`bsg9fNsK`x!2}X7w}4FzVWl;H&)nl=K5Q#=NL*^(!*4Qg-vvT`D6hTZzJueu?z7 zsFt?2Yt=sKT)Fm&>1O>Wb@0y>!T1;XT!rIUrQQt$@_!IWoBsJ_rKftt?=_$@7>pmw z4gP;^s5LiOLa&j%%kaxFZ@*i{XE}cOW$OwQ@=aNH0t5F+`r52oEZG2sBG8fY_%EaPzL|rpX#1`@E^c~hU5InpeHh)J4Y-{!5y2Poz2*cdu8AJ zm}}tUS|6qTpx5t^tZdPcS+?l({ynDK z>Gm-N!66}EW;MmcxC98CTI&CGE-fWD4uQ6HS1(_d12qhOWev>E`>ekd(i4G3*&t0? zCkf={5@o+RG1;OPXA9e;^P@foWob147V4#zuYns*Wh|^|njg=n1mdXm9d^PLF(rv4&TdQJq zdcVFeDv|{oarNp|Ue|njX2y&wKk0{mRUG^oei@5D8l0uTyPMY+rKOD*;Q8uk-(hh|fa$Txr*p13uF2E_kprJsA( zwSbu(-R4XgU%ZrAe>@2dE!aAT5H%>HRDgI=qT&jepmWjc>HU6Bokq`MN$mm7c?b53 z05{At#~PhSqseaqPO3dTG+=w$5qeyyRePlD6ds7#Rzw{aSRrb)57b08Nv&iJ2N^af z0UoOoB;1iG=IhD5hh1Gtw;ZNwvcN;5NHYk8rFGM$O_7X9=DJ>VcDl`aM4J~~%)eml z|J6NtXE?YWhi|W!SjU%ulOX|iHaqjpu1=krdRyr9`=A)Dv@b@zuz%t|PVCuF59j*G z6+;a$4uAh=iVvzNTmJrc6zn_2i+$kp0vPj^n@@igwBh4w%cH(qbuSR1_v6R822fXC z!O6)YPG4WlL@e?+62nAMa%%HSAJDcYLIq@CH3UGEa2A!(8md$elJa!cp7|hquDUue z1kDlx2JXHVwI5-kn>hb$&Ec?F4;qDBsUu%==G}q!6#2%zwdBE0Lj@+taD90lpCLjI z#zqA=^2ugN@*%iJR59<+i&4lok1i{B2oFWhT}br@Cx=U1;MWQP`$S=lst4yEO*8+T zZ3PVU+I8z9Aai>0KzhT1k@vEJ9lI08P~o^8bUmq62c+!EK;p%K!jPFqNd^01@B5-Dxs)b?rSoUM9@=|PDiQe>zeFAu}M?~ zO1N;WbK;k;++j{Bi@?;>g`hCz|c;AD`LDW@&c;Q1mXpj`^P( z>oOjKOWeT-tIEKKd8rL2MP4;X!&OxYYa)@yn^3Eh#q!()t>N(P%vaQo^J8)j!W z(vMxSfC3JpP_ad-k1L=bF%~Ise(DLne0i38-X+~O)Py5r-%Bb14??Sj?Rqpb`pXW> z965pxoB=X_hoeKHy2}M>KV?pmDNqcC!oO(*sh1ie%IlcRQf=mx25Gn#ZO(Ol`h@+% zDDoHm&K>)8!tM_g27ZdL8|vbNgu>2zbcM2E-H$9xWH_XsFtSKs3W%>)dVcDyhP^cN zd4VE#8pGRdpGZ9)#&0}Vk;jH-Qg~Z_3|&uKbQ>Og_2kdUqsUsMMFqC>E zW}&<4pTf8?@X;fnY5KA2O+m?u!E#4N5j+BT8s2LCM~@#1+V_3t>^7~6LI+35+)9Ty z^@x3$G2BT82hZpM+$2P4o1L9uf5|dC^?4p6cj`6XJN#z|x@=1l56j3X zpokW;?cf2!d_H<8C4rmJq_yVU@S4g6Cijw+V-AGWw5(h*?-)zWQ_*x3`g*Rzy0j2W)MR7Mg?od{G9mz3=|?$ zDgY6yfc(qohO>-UG2}>06DO^1xpP}D_5{OSAP+G{9t>Osh;->PyGEx_(A;ElJsJ(l zeh;d8RWxx_1WPZZ9RxmPFfw(hv-%h|j3R94JfuK4j1N?Up4$MEu>xF=WpJlJ2|U)) zeQi43Ymo@z2V!A3HI6}IsD?H~iXm83n%2IdAv+T-r;+}5NV{ZBr4WzbQD;u~lADJQ z9rC} z`T2b6*qc!M#6SXAbu5tyN1n13@3t!=83Xp(7Nbez$bJ~E|4OKs@r`0)WUMNF$F+3n zJ;S&TdJ$I_ZoCQ1Ya|VDc0=)z+q37w-xD-K3skQF&Te?wtIU!b4E~i16eBB_8qM{P-X7Y$`>#`FV)6}9v)Ybg zX_Y?LFX%@gC1X|J;GhZ?q|(DZGvW^a1V|?VkdzWkl*vx%<&7eUG)TfckY$d<%%QiE zTMBIU0uL3BKt}C&)am9l)L?j)83!qp_XI;8gKz~?i11{k1Lm)3`I#p+ z#(Z+Vhy)h{Y(pX@m@FTIV*hY(URnroD3#cLuD&ye@9oaoO;e5zOTu&TE!6)sEim@a z5oi-Og8kTcr(FyQwqVC7J9T-{!!q{Inlk%5y-*9zTT5Dqz%Rz5#rC0 zv_kMb2htVIDI@6cNU-ZAEA(M9&7(7u%b{%*-uC66h;z}D@pUvx1dI^Z6JU9L5)u+& z(U@uAL+n3eLol2cTYz5VQP)%gMu9e}{o|qC774W3Z`iuE^bZW^w&;J+lI*;Yh7h5a z+HVl#Zu4}%f3|o1QU9$ef8_Vq%JmQ8p`KFNPP2ifAPB$GFsz;c1JtPqvBdD~6?!b! zJ(mHsfUS(sJqClJC&-GfZYUU)kkgJt{hZ=^09oYr731nGY&~tKflAFfGa)~`BZ>YA#^ncMVq#`!GR-VOTh}0KP^*;nm+SCVK!4jP zU54ISxLnr&E)va03Idk;A~;~I5}3pH^1`)OqQ+=sGO15~Mg;@Bo_onM!N#>K4BoAd zJF439*yiBs1s(d0;tn$x!=lxNK|9;2=B4!x_lBbeN)%=*5OVzpqMRT!3-c7_`= zo2R=WO%=D;9=VS`EVXLiPYg(1Rn$%C;E-Qlt_W|aS5{UQ(@{VToM=~*jafv0K-S*W z+jt4GS#~#O>CBwR<;{aJX7b8I#;|l8|8pB7ijoln%=ceV^#bYvGM!V~0NQOJ{z}jPQ3Z|eOBDB&H;S%A6ci^e+-aj{`0$2=br0Qh?2G^lB zZ9;n^ao;e5t76Fvz`=D-i;EsO$a6Jj6V?KvDR|z3D8RD18yg!Na^(Iavc-L7#$<*Y zJBAIrA}-KQ8w4!u=5>M8%6we^XHXJFs8>K05^vdjfLtcDGl-X_@kAq?9DeopQiP~C zEaSso)MtrOjJ%i_r4|+@z2@o%=)DI*8I1+iO=W@ZX;Av^X|gk)c>_d@_3#W3DKku>{UDe9 zzAftUrRZefk%n0z6V4YS93MfSdP(6O`q?I^?KGSoDxX2?-9tp z{`RJSzggeV(A|x}sQ^>(_b6lYF?$NO<+_88Xu_d>`wRR(3k9BEQRl&olH)$F)u<6- zC=&STzo$pilqbRHFRrFy9YrR!bU>V=Tu5RL9GRwwcz+9JN3E=_nZ{pO zh$sdDTGPn}m6=YCXe#ynbGgGAk(7;w0;*E5bTF3l}V02-STxwRuWQOVc1>bwPoXsf;>a-qlA>gvf`KPhvl{CL?}7 zh5*$@B#~)shQZn6^byz9h(H%Je|%ykYc)n)1@37p&6Pa{|JeXhUuuP?z5{0p8bkYn ze=0~RNGV20Tku|ap>Cj(Fk@n*6Qp$4mS}5~8AOzV_&VG5{vkX88?hVEJ(<~Kg>K2p zd)xGYk2^JLCFohQ#c-`K)PxRrVbZ%OtD>nVJpb;NNZ=33ZHVhu4i6Ap%3xU9apt2G zURM!L3pf<1dp0KJ2!aR~Oew^XASq?u@nJ&Pr@!(oXbmQ34~jDQ@jTf$MS|$~2e&2K zrSNK2f~ZCe?zmKS8!c_f7Mr$jFZ=KXr7u#K5z5ADO>?Y5G$T|1@DE^lj5nYCCuV_M zs?0QRPz|Cm*t@p;u5hUF%HEbC!?=~(*wj=9mu9P-klk<0>50U!luIM55P0y zZAA}`g1ds+W}VZS!m&kpwNAB%M%54{+$thngHmmtt&t0uq`BkEH(Hp;VIkHROx?K`@NHdK@Dq#oblbn zlX&q63k#E*2DGW@-S2~d=fEF zoJ^V|I0Uf9e{>((>x-fm&yY3T3_luksk(3u5rThI!XR>*Q5SBlXTMPF9|P8UEp zIIEU<>aCZT_hTj-Ciepbeg$lD)XGkVD;U41XB#G}GUujbI0jOZ&v-KHjG9bB_M)67-+a%m0_oYZ9)3Nmv>E_pn)# zT@^ZLf#7H+LI<5M0Ri9%j1S=`MXI}*IBdhNS#9gcE4+I3YC0JQ#tb@hhKyM72UvGw z%Q(<688Cg8V;{m<{|M}KI|Q)*s-BBpEr-6h>y@*dnMWrfge!utfh&t8*@||pl=lBh z(an5lOP~N&L>M`$yKdjT8-nI_X5^DrK*0uD+Wh&*@@A9IogJ39pS$qi7gDumeIfW? ziS#zN{ly(sfH!e4g_Y4f7M3z3dkdo#RQw@f(s59xgI93e0=Qi3_}Jrd2jKH4X73KZ z%X=%fGcUSke*OEd1!uNIs`_c|X7X&L8)rYdTKXrswVyp(#M9T;x3|vKdRCiT1uK7g z5J(p~a-y%VFV!FmT`Q<;-*c~DySAo8YY0KSdRgGVD~4zGJSRV>_PM4RPGGbkOZC`} zIxq_>frH@f(tvp%@Ym1&Kd0`ly}JJ@Cuc9(V%V0PE6Dt)fmx1CslU!4KuR^8m;tM* z{BCa+n(z&b!XUp5|CD=U642prE)n?!u63<6f98)z>yG+|p-UzVsDW8m0^jDN%PGE^ z8ETVl|2N|8Za%)roo|}Z`K*Lve0s7bo!tla?ca}+v7~1lXSQan^nfSfAC%i4klKcI zex(P_Ui5!#)A{dEhGF~f^XvX^y-u=15RR0i)a21RLLO%Huv#@t(8&N2sP-Wo6tf;eiYyFNt`?e20YA#iY!B>R~b zTI#Op2c(4Gp%HTj=(xF@B69FdD8ZMGN(=1i1p|;ET zz|j@iIR;cpY{~;fbO`P>+&WCX z6Q=`^Jt!@q?OE&DQWU%aebvkZSc2;(z!4lU_Jx+$4YjZZDH|V`9Q|q{5Zn$c{LOZTl zVd|d;YM_|_6*<@f1L>bC4G#X|L$6p|!ITpV;CHz`ZR?!9sGJm#U5fZ-Oma_Y;K2n+ z>OoR%DRqWXddAF|t*J-OoO!A^zV@W`^jOp7KaO_{Z?@x4>;sm2jy^t3rPb z)+JX2uAt=+6(5kYp#@Gvpl%cRxC1)3qb9a%Ma=*^VzB6S$%QPKvyc0lkzzlI9Bz370Vc$;S`YyXXC72HNh!rYEIaB?uG4_(ggAf@n^^R zr?`1SI)atV%729MvC-`rgVD@5Aue>$wBsj=6DwwRbp3C_$wwW7|Kw$R4N84c(0}sT z6TiVC2W55;)t+F@IUvo*uKW*%@O;`f9q#i z90>^bcjueXGq7$a?p|BMFXM$~8F79s}A2YMF-1!Eu~1D~lMCvl?X
)QvH-b3vSIpJ99r8 zXpG^B`PpkZGkY>`RZn)-@BegZnx6zS7Ze2h3!2lI?dx=S2zDK~AlEFI9Dgji@;`HR z8DT(K4xy_8$90`{IsYF`zVIt-m<9f=8g0&WyaJupGT2$_jiwebe-M^j>!PMiZYQ6O zwnO{cKXf>UflAd%I;OK=s+<&DTd{-Pb*)Cdjagan5-NS2F=d0Ckl&W-L7X^c0tsS< z#vE79zZm^|BJV`*LP291FRDw zqTZD{nD~n}6c}I9-2h9Xx%rHt^?QJE(BjT=+7ZTVcIs*Q{2Q}n1#~6#%+%5$N{HNV zPyxfaS&hSBbae&+c0low*@YU8$jOhjiWAv_=x98Y($xM0`!^|=T?K!hlmb``DP<)B z933_QC3sK*3!7wH9OLmB0w{PU=GjV;R7K$Y6DJsk;O@JP4NuGoS$UxI0DXIb_NLv4 znW@dxM2T;MQ!sGqW398dD-WHqh_GV!UYN{%WEQCqhwF~i1;|~uc~;;!L!2R}0=HBa;zekljhXuH1r^Ia>5Zd_&V%b`0$li1!D;;HsXeZ2d^ij(Cxdw?*C=X^e}i{m z;O+WABg_>9>)#Qa$W=;l7pIK2J1O9_GbE}KXQNU4><)Bb2!}O>%{aFt4BMDWC31z8 z*CAv)CCj^~2cqvHZthqpd8RO}3=RSSMd0`XHYXIRrjvF!lY)m%ieRJT;m)dspqvFO z`Am|Iq5?y1JNCnpbUZlbSDicT67anNhC25|EOOCZN6}Xa>sCJq=T59{Iw1>fK&JzD zXDP$#YAMot9_$w}?Kpd*r?eO71;;d&+%}uaIDsmJ!RV7mWa4Q@-z)Xet_ZNUwY5Fh zh32_QyTQ$UjYMeqe;A}55e%H@F0|FOe@#YTKAT4#L=q5E9XQ}q1u7Wr9tZ@J-1CI( z&=jM)l+BETgF|#=+{qCuh#az~PoKV-i4NB4hIJ5)XE2vJj%W%-z2AW+@B{98L4 zGaQqCHZq|Te4gakO2~v@4By~{3;+uVt!G61#}Ayx5ijW1cBK;urCok$%hGvTgf)Q5 zn9U5gprT86=^#G`=(YimI#b|1N{`vuQs^}jRo+DRr`Gb7fkgHKMo~ni1BZyOLuWIr zh;ioj4R~2<+;kppSrVdX>p@dfQz`wNZ^5Y!^k zzLJX858{j4k#*J48$)fJbTFcD)eyji#xwez+zfCOFG4djA}gJxNY<}O%Q`X#!b(x`Xg@0*tpMeN z!1CTeIv3|M;q1>C5WFp zfZTE9q#K7VBRlI-(T~w9C$TT&mSXZqa|hAxtA!%_%`}{y^ACAxZ#}a_c*^*9`D&TA ejemR5H#u*jwJ0k)b`P^lLVEwveKC7ZT=*YAo^ss) literal 0 HcmV?d00001 diff --git a/plots/step_4_accuracy_plot.png b/plots/step_4_accuracy_plot.png new file mode 100644 index 0000000000000000000000000000000000000000..74ba3efbf1a4262433c56d855c47531eddfe495c GIT binary patch literal 24109 zcmeIa2~^H|+ctce$<4 z(#p`xRFF@IZ`h)xt&QnD0Mi#bB@=r$197r6LR& z44pvPKX$8~z1vx5udQ}!V&dnoCl{_9councZs38g)NcQ)2mB2UlT(izdYDohcsMO0 zF)dL`&D8I@K2&V>-Dz3D-m|8EV&$7ka)7>wKR3cpWf{);h%gZcM?RiV@9AIGLlw`P80vzyxj`iI+$ z--@TuKb|nAiqqeW-*@erMStf^osD6_m)2hwnfpH%`OlAuQs@HCoskOn#G}-rRGw9x zIsEj*rK)vehf+-Mo!K5#@%Ttf*?5TzSCoEXU{7D4THD8Pj?Vb3;pk|M$D8cz?1T-9 zLzRqYFc_~_VyfeEYs|8@1QkBQr|;;<-7L*^b?vN5kSTp6Un;}p{P2zE%4MIjyx7Io z1Qj+9{>1gtESt)nojM@#tJX?x|Nhjt&hIrTiqmG!Q_|A9UGF;KocXKX(dS`#jAlpG z=@9i8jmL?{UQCq_k<82qF7T{QG`zK5KJa00OObAZ?!dAomAzI8at98SK9s#>>2y_9 zd)>NqhOe$Hj6Rg`$jRAx>5?T6AIS$9y}vCWCo5~wcjWomr}{;~CP(kPCLGV5ndjKw z*H)?@FpXhqD_a!7TqlE?LqRr&4s0VStY({<(a1N zu3fwL=+UE=RwKQR9k*{UpTBbZ=Dco)@1LGJ^p|Vew0&G>Z*RYJus3aCeC9ylK5x#) zxtCdEESuhGcG~rPlYM+B;Z2lDZK_4juV0nDMN-{m%dzyA^CZ#Ud$IAi8aqpz>7 z1_~MaR5dM$OgLQ>eLUA)PC=m}boT|d1bz8?VpjVy?7AxgbX}tAGVFHLD`N1yUB-t_ zbBI~KDhmvklFIw?<%{^)AE7F$s(!w{4{_%^I=?eg-{)dm=d>^2l8luP+HN@1)8z2= z>V_pNSH@gjydh9WBMzTefAGhggaY&Za&kW05qn>mmG$q;+vmBWY4$A{Z%*|Hg?nXK z6XntB2l_iI1Gv-D(%$Cf@{JDLv?~NOwo-0M7PZjtpc(2>A;Yf5vwnKO3 zFYE801m?4C`y)PkJiV%ku`Af($_~cpg-@Tf{5GoYt4p^joyNK|^wXzL+9UU*T#v4m z@ltDg=hxKP`S^%grux`$zm<4dPft?;4W()JnC;NuV5HMfPkU8D#Mj2gbvk2Ct>5>i zEaTH|HCV}i%x!dRY$+F4e4I{3^vSnA4&QFdaLYEhPGoXA{n%Y+TVv8QFrZ;z5V_Bb zJqpXGDblea%elQSBW3EeX-yp+F)M_PMD-Oa<8*kjf3UE2<~dwnw$;B-zqGk9$jVuQ z7P_3@CRrb>2W+usp<5Yxc?+;uq^C@oLMuVXt}dL*W$=aJ%DKz-_I)Fj4S5fwuP@=`dHnGU2?+^y z>=Khzad1dquW&cgs61NC<#dtcNbJYb(tF9r6RMW5u|+NA)u3pD!KmP{tG$o8scuW+ zl5j}mj>6k{IhdV%)H^!VJ6xGP9$s9mWbf!0b2!P!VW=tKR7wqp^RtEs+7r$1?}SCG z$GpQHyeDq+@u^r{k6z)aS%w=U|rFUnISPy(Z6fve2r+tXlw?_QY$1~@z$j{4@ zNiwdiz_gmBKB`JM&AWN?!TS38;r>cpzneGj&sn^lXXj4sa5+DftBcl^J(6GfSSO>x za4aWhm+Z%HZ*OtLpBgymfHyDCavot%n!lVsr)|vTvG_wNsmrW8f4IH#-@?nq#U*T7 ztHrAsXI-tYum5PhVsLDGc}xLrolG-(TgB%2dROPHxU3L8Jw5fXee<#S=)pQFik3S-9 zIw~AGlPcK-pN6;$M}7SGQRvJk{yNKoE!EFXU9WfQl^+`)=^pMYRpjXCuFpJTQk{4+ zA|is*b<{!~)A94?&*AKe5h=tF`OcaYO>Bx2dU`e!W4~I?>b!jUvJ4AO+qeVUOfG=$ zF#@aj03~EQSnt>^VN&%>+N$M) zA9voo#zezXA(zp!{atlO_PWngR#EYxmr63J(b!@8-JE6q=?{061Nd}koZ65a)y>VH ze7DW$%KUZIubIraPZQTy5Fbqh*M^OBOD?zvW1BLlnF`f%s9)Rh0~rHB`PAi!ww z#}^7P03(k-+}mM{TSTiye2}WxiAlY5@nY-M4Z+38HNE5CrsS~9W8|ohVXeAz>lFqH zyB}ZfUS}#|n%S?Rhb^Emw*KJlWBa%HZ`BRfTWOn7$3HLkwv=nu>bJMWteVwFVi6r~ zoTUG@{X~*p>EkhD?(d@2cuKSV+unF_1nD^%8XAgKKL`t(A5^H%F5ysCQju(OBn&A+ z!Nm1(9{)T&WODbEloX5cQG1yhB*J;DtgL!S;bH@~j?@v>Qg!s^l$f`5>(;fBlJzA6 zd0ei`*B$T|s!lfPFgWt$*tykj4eHX9ERej6yE+bIS&wvO6x}$foofDq-=kKy7fWS@ zkH^D@+z~b-crafc<(E;N`8U_PXJljum{bcz3}E#w=j7y6=eU}>@o+azmcAmoINCjVK3TW^=#KvBP%%aPR0304d|*(B0{s$u)6@6|-H& ze1n7IkapjfBwM$s=%iV$Q*7Zmed?4Uc4K=<*kuH~c7v_DSaMOXzHVNTsstzO@Am2k&fC=(qX) zN%_#BLt+bLTz%eG0$>f;X-f8;mDmkciycQ+_uenbkHKApI0sNbKfDB*|U}K zZi&D=>(;Mtj(UX9-6VQGr>?HfLLmuo8@b#D>4`FLO^R7jM}dvJYkcGPs)XTz8nf~Y zJ2RcY9`2_=x$sw7$0qqmL$fKgzy!Ag4l>Q(EP z%Ul{tN;d#4HZ_XJZTa3lk|urqcNSJwyUh*2bc8ed3Pl=3JrmN{B%M;zt=k>|-86lv zn(EeX4!Ef;t)b!XzxmLE1svk7KfdI84WKkKeB;4(?fP}AQRU?TjCc_pD@P>7Xyq_> z)m>@I*obMtx9%Y^0F4-6SBu+q-7VDv(7eGdb9*FW?|x*6C`3%2?b|gF%>DaXmMtp` z5-BPz|9;EI$JgKg5y0fPv#}^%p4D`U+kU^@mD;#K#u2MuyS}LWWW#zws6)>(@yqY{ z=c&gZm8i^!tHH)a40VBR zcm2JV;b*xH1_lOkov!g2i0xuoiRohlHS5Og`Rw-ZzfvHq(<#ySViuPHUKSZTWSgMi z#M24S;SpO_4sq^WeoC;OTvC#iHW)BwVtD7fk%`+zI#Xisz4qF)1Ww2APmMWEL$F0s zwe*soohmrmd%_GMpptS;N`njYQ4xQ_P|X}#y#AmPiW1?I`8SLuWi%U#(wuDxxQB;_ zZ``<17Rxuy^fW41svA-7v=~=RV@S`Ty7enkMLEJ`;>ov*wj6rKo!9vE>C+)eW2>Y) zeKCb=kOX&_&L61ELV`*80Puyp8i|RdJm$qE6*pztOi`U(9S+!vifi|I6ceQC>$4vF zk<04P@i;}hUg79i{}s2D{ixP>d3g3?Qw%+m$f)B3;+`07kxKi}bGqo$>4MI*Po1{q zkB?{yp8oLOhRc;TS#w9=X9sK^=`%U&Lz4+Y5@)bsld_sdO%R zAiV+wh(llN{gN;lx&e0bH7_q)?bM$kpUxy}cVt(e9_Y3?>B=eNxgz|^l`GnnZ^zff z0<~ZB_O4u}>vSLC&$z2LEl}9l|HO$CaVrA7Id=Fr9ykZA-0W~XBRiq$49%_$&CQV% zQwjsXY!d>Z8N)6gVsO_EOto)7KtSWvD=kGK0evmKAM*2+F0m}_Ii<@`(gK%bz7%81 z!ou?Lu9%hO&Sa+{OJ~f%wX0We#>dA4qK#Ypz5!rdYJ4yZYsKn)v_7xuBaep@V>j<~ zww8od>ii0paJ2rMGsPM4qP;RcBy6mE*}ekF=c5k#A)F4atEHu-+Zw&4Du4jKwY5b_ zIuC2x$-6E^VIw6a)!C3Om8S>bek&;GNY>bt3A-Q>GYv%Tta{1KxUKtfLK$Lv?(^1s zLICed?}%F|UiT%w$9TubkpA$849d1WLRH9KMa7~H2R@Xi^DL}8ico=Ig65Z%hBgr zs0=^+)C$|@sfL`{S)10&^^29E@lvdnapO9QODfINTY???a;C9<8@%e_QHI>bk+K_A zNPul;wO>bP{an{(J12gVE;99 z!Mu5DHOVHzuH#PYxVgU_R!l~{Kt=4~M1z}H2IXm1r}O+?=rnb8#bM*NUEi8zp59sc z_SS}^vp-KHnbwIn=%-AyV-jhZK7an4J!Mq^D=>#I00^q1yNx!2^Y#K%59OKk0lnsV zb5$ajhBQ8f-f7P#R6C(i<_9Y18CiTw`H2{r!<$VZ|ibnxc`$KZP9hlpEcr%Ls zj$BqLwF@)nvtQoPA|s#Xtl={HGmkxG!TYQodrad`fmRymtZA`cK7=|w(W3Et9?DT{aSb<>7j>Yv*ul!{H{d2y7|uEJpG^j0rM#bNIi@_p+9snH*M^U9m1 zgz_Ap$-%IEYS|=*tfUN%%Ph`Y#H?QX+_`htP{f5uItw}U8PLjdz+wlu|a9tDcGRizyILDgTzw>zf*M=6%{qy?K%-dRX<)P1S>jx7MGKfS=P`auzA>I zeN6$n&7!A!4ze%mm5%!f5*^Uv*$nEQKCKuY14*cL=#EF`dj`& zXE0M@`oY8f9TBrQ&+hUu9n{#jHEWPr9|AFTL`4MqT)up{-uahKctpgGy0D$`$z~04 zNS1FAx=_(qr`yEf7V8o6kmGrZQu5!)V>UpaNrSvmknv(y2Fg`?c2br@(n*VoG%7#v zeC>fXXTLwq>wCK)q!oY4s*{YtAMu_7q5*?4{Oy(^W#CB6C11IpbIIeD5Z9wbQtXtF zD9?1XlQFk@jg^;#v97Z!lAsm%GB?*RFfbYmuodyN6cuLA=p}hmN)_{g1Q6e-qH8V+ ziNCc$(Fn!R(BV=rlwrs_9aP(-nATYj{x}YN5Q*L7WxRC1E2sa_3|o^eI_YXiN*Q1Q zV#ICQiRf4XD60SAZWJ&FT^j_L%E5yk$j4sn%XT~uL=i#NbTqK2`vQ(=AgOk+4Aodh zE)!#RK;s8|)NtV>vxcMKj|V^xn~RIf zKEz3n4Z&w$4i2@1SY;MgH<%6ibyn)S3Inwm433Pf1pE=i$h4;}t<+6HZT1r>bmgxG z*KFl@^1!6-9s{^n5p|ze}}l``G{7qw;xY752L)MnAWqq2Whw zub{Yf>#;M{iEpD62TUrGP3zh}jz4n+;`9KxSb+ji5H(IfqphX8MPtgLf@I+GFia4$ zf?2dqZn>~=g;21|u%X_>_?VX@l}j|2+LcB5`TR#+hE6ql?dalvo|);n?bN&Fn6fuS z8l_wm^pG+;(2pv!MJpSjb{~HGUNumqky@-)iMf@PRhz%DYj$Da@#Sw2sy(ro*|5k3 z5i30qYuONNgpN9P3a?$eHkaQcW+E#=w^31QtSm|*rNInjm4|6vIvb**r!ufyZcR;1 zz8FB`MO^|^z+8v2+nkxlB+C(k-Mt_0aElr`E@z@D-nEcYisp@p2Brf2Q#n^K#q z!Mu224bo)pLlE^q;AoCcIh0Yoh0)m9=;<;x%mx(Y4l+mi=?UpZ@O=W3Bi{vOLJ;jr z45|~On6pw@S&92UqS7+Ys*n|A^LCJyCPGGK`8-&`7?tC`TXpNtBD8se0NT+nFDolR z)kqj-&7C`<1kpFLcST7a`Y40P@eIXU00au=4Y`$obfq5R_o~=Sy@?yWxMpVX? zMcu+SEaaQzCcAttgMYy)F|kAU@89?GVDv65HrrNpIce7P>Aw}5soc49r>D19b=NM& z1lu$bfj3hb9@FyQM8#LUxJvTlf2*$D#arWHRh~V2=6mOkp)H$qFebdVuC9=88sDS_ z_hfo5zwhnakx*WObmX4Wtb-sI1iVv2HKhh=gpB>bNjR`YS!+ZN8DaR)BD~ zcsCw>rmOg&ZR?6jX>jv}-0I$C@uy4n{HtWR$`Ir}Mx9SbIt#le5P^Pvr-)SYxv%FY zpRQ--yydHqh&F^cZOhZcMoL6>#P^g2FO6MDOcbJo1j4iD=TGHh$3l^CB9Q7{mYnXW zc6T08VAu~oJ9!n=KvU|TA*2YxJjC~}*9^$O4O9rw5`9=6r*i}W zvjh^9b@O{RnGkTwi+L~l@iT`zbiYAa&YCw(0rm-e&4M1St}T+X66F++hGmJqcH%uZ5LQ2ixF_uA0HM5QQQi|;`0zI zI_h*$aC?1b1_+v{)qC9yzyT`MT=DkSZ252xrN`Dzu*Aqb<=B1@3GD0o-7j7=KmY^- z{ne(wyEMXE;jZYH!6EF_rY~Raqp+3r0q`WAmsn(CwV~Y!qokzbpi*aX?DapN^=w~> zOcK;R4haV}@HFL!?)^~9#QSAIrce>7sq3t+lWwhyP~MN^UVwpvR(Fd#v-iUembr6F zJ=g@*z`slM)wJA$AFZh zcwZ-rQBemudbff&@X{UvypF$2U%z=HUOg}O1}Kv+xtB>&b&X9yF+wa&AHcH##9ELO zr5*9vaX|3Kqk}&+b-J-UsGumr-90%a4u1^M-T5jn&-lmZ7c0cABg49}ywsxAqFiHV zRLC$lqte59D}?ebZV#c_V>u&*`kS;uA*aC~?A~dX%HoQOiiB9fW|!O+(ChnpeX9|2 z_X$p~=G7yK^CsZdxK zE?g+a$vSuLEmWb~O_`*ztPd*5B#5w>tqC7)ET{vd${g;#%;jQ!*c2PiWvpM5V7_ig zyiP`PoOap+aP%!JiUCKX2p@v7@&Wn@lK^kGbdy@KS@zf?8BTj{UE}k@lg@=D8&Pa~ z?Jc(o65|6MfED}*Sc*7vV&wYX@y7FP*&;tl({vW;zrRg2x^e!E)u3;KpvAQ&-Xk^v zNeqat?8fT7YEV$ehCAX9C+K_DgFfhpPC{|gUXv2PLc}zdw1VvM;TV$IY+8$VBQb~# zZv};qCrg%`7`3W8vmFGPoDby4Ccr(KLeSw@RlcB+Vu_Ui3L!=bb%VA&+wtAn+!XG2 z-CX?JZ#Rr{3I{$O*czo7f7Ah(n`9!emHP=VR@!2dTpiYd;KwVD$3h9OSu|HkE7;37{|Rf>5XO_;6C+d%+@}HEZ^SIQ7WJjb)E? z?EsQ*g94+DqLo96)IDxP3{T(=yEp`y&~%#)%E*UP&F^D@S=I@^NIwJUslV*p%UgHv z#sW;WVR2Tn7b`ho6F_%SZ?8^@`A2rtGGQkonN(|xf+$CY=Sr)`m40WANkBBC{PG_) zrSPnRM5pG?jGp#}iJ>P- zzeK_gNCgZ>JbDz3VWpA*k-)yL1Ehs6CfKVfG;~$K!1V`LnL&*);~`>Y`^WI>1sznn z0yGWj{@xglIRY#&L{Nk-*~=3ib; zjbDuC*!6`6gfI%rMBrV3&4b7tMh#h+DB(R ze8hqgGOpOnv;Zj`6gH_=TeQvCd}iOP54N}@Y73Ul1eD>pbOmV4P?b3f zz+L-1eEz&vp)Dv)faKoBEq6P;P*Oc-F0xW@BU153o|NT70yU7yo;i zmCJT>H@qz?MNG*=vvkFZXl%`nS63Gk1IElYSl&KVmLmdnV7xv8cMuo|__akAR|B=| zQxUIAjEAU%zrTNT&w$dC*{!dk9yKmmy0l44K|z811*ki}S?j(&|6?@Jd#?3J{z|*O zMlRvLE7qC%W!yYvE0!<)`SV8o0Jk6-9a48Qy0eZ12L}V9=1kXEISW}V78(0(LxZlQ zq$IsV-1z)V=MmdFn@Sz8CaSJ|%Aiz`Y=}Iie&WOfy$n-R(?I^?=fQ>Y0jMFPE5>NX zYg}Hy(WBN4NJRdIWRsfavpT(t29@#D(%`(VC zYHK_6d76d)<6R=&E5DhZe0#yoR90hf?Hm#BmxB`wx1>X-*z@1L^C{E^nHN-B8#ke^ zDwy8Kn-gtX3(_j)t^g)!pu3@4E4k{7eH@$g ztjT9oaw8Jt{@%+*pL5P3o+l&Ld~0cm80u}&wc!91zj5QYJVkSJ^VJ&j5+)OCsN2bt zCk?eVal$|$e|MCbs=@4>wL)R}4`I`xBPT(<8m|H4Ut<#s92pk&XM!-?jbp~tCE zV8Z5zfg~HK#m2JY&o|kHI&%Yz8~1kFe~cPKc@IRF7H4wS!GVlcpcj;O`_7)bnweX6 zP5If=qjL6aDqI!pCeYF>EG!ffzE%48`H?+<>_juv*Ka;Q8M;Fmps=G{C&rCxQ=bNI zH;E>HimErV`Dnre3fg-y(_xV>feKtGqo_WG{&aRuvYLZ)T-n>anRR2?uBw|~N0)-D? zHEp^WeN1?=jQqdh@N_%1-2J%ioYyRWS9He+Cd#TDJ{kL4J|awMqGAPLEaZ#G@9pb5+5G&<4d6l z-f!=iX67MJq>wv;r;T8~Ss`j3YE&8b7(UOTp&`TZ(V?_~2GoaShd~*lg=f)zruA7XYzG9Xosx`_( zhQPgq*yGYe0P%@|_rG=P);d}6KkweZe;;xB)(*Qcq|=@6#xqY=)fR40Y4~5R3lSqLvy$H z@&dA@1&Z55zwzb@=@5qxN>xqGS5It`{vuiorVy6I`j$#3?a&&T`qY&wy}aRNJQgvv zo|_X2cJoc0r6`bb(J2?NUBtd4v~#um^0}L%MLnl2(mSXAQ{-II(l??voUOOS0&@5u zJ-)50)7hXHY;7cE-}7+Ko;{X2r%@2oNDCp@%Bp~9A}Ik(pEh}tYHKZzs^rwv908OO ztA?cB)Yf)~wdh;>vokZ&?Q2)rtv$dwdisp)jIpZC2R)`$_>JX>{@2)xznNmZ$-^Qv z)l>NOlx0^1ucDHLR#!uWMl$*i+km4w-0`r6#I9q8MnFBt=nqqlUzVg~z3;l;wfgR_W2K-Qi zHK9R~@Q2CC$$h*yXED)yFiy6D53to1;-huiY7;a8`c8MH1dGaCD0W0S-7$t=Q*ct*wEgrxcsx{k>xlLFWPv+hKYz6j@ zaQT0JZ-HG2B9u*Et8zjCjXPtB;B@O{&Ocu-BkGDA!B7);B_xmpnLmEbm{KPVP+JB9 z(I$_>&H&p9@TKI*@m%t%CmdjAuO-K)_w6+J^yGg1*~a-}5CH>4%z{ae0wR(F{mkTs z;KjPFvxcr3iZt2403m$mP87U|uqHwKXoVJ}f^r0C(a6@GKIXROqFeAR;5k*Si+2HA z&3kBU-;(#7A3b<|Q!b>NZJMg>&?%ORP%Gy6UsAlqh` zA_PDf)K8x9W8UDw8yM8D1%mt{LsT>>Z}kyhUQGqtjLhF+m<=gQY%n}d^u>Rn>p^VnW++<+5TdUxTC~Xb=FKmCgTR*Z(evm6O1=X43=u`JRkwp{ zC1)iNe*gC>RVwV5odnDcdyQvm`gQQGM3iMH$&pmExflw6Xu&@*lUmdHQDt1 z@X(Q)#fNl9te5>hU1=?xq$KP6Gt~#4m$O^>$eV8S_0=3%70AJ`X>XAwsTdMk;pX|w z$Gf<&SjQUdA1@!Df)CM01_;4KzLFRX>**bBrT`Nf`E^qlpF>-C0Q*E2-hv7QaG_DK zIS}=Hbu#8$+cq_QEp-96jsp8ec>3+1pAlbRVRsHw3cXq%unu2tC$8Xq zI3*kmFdzB>%+cV{7kyPHjbgXbccUu21p7d$$NX`1k%BiXmt^h3cl3JZSf-~{X;@CqId`qE+uw(^0=DHi4mk#coet%M*NU0EZhs4v@~GpJ$)DB}6? z=?w1+X6|F^72`XMswK;W)-X}hkR^CziJ%0(AC4;17?Ok7a8ZbqE=Y@V6gjX6ZIq4H zPP5D^X9hif*2$TuASyf4!6ssW+;OF)z3J1e@BpAM9zm5AtFEoBEkg|s8;V$^jYgby z)bCpkx1!3gAj1bF9f{E&xkO__FSF9wAR(dC*4F0L^zGY8S=V|_K0(3WbfZGve_%07 z*P z<dasT2s zQ?GAQXmop}bxeI!{+P)nfdwbIbmn%f3eCue?hBDsta>ZLSZr(u*QfucV1H|K4-{zu zl(jbV0YLGMsE$qU@!}H^3 zeqaA)O2@l#y}M6y0dt`hiNi=)v^7~oN<_D$edw~^2cGI)^(kEIbVSNwypa=haX zDC?-QHMOY;a{4jF>4}diTz5Cv&TFNCQB|Z<4Y}=5Q zKVDh5mcnT3=NA_!wYal#1!pTVHdzaRZS72ziR zZKX00(TVU|w0JSvNv1iE^;de$&4W2Czp&GFme@si_x2#OEF#0mTuKi>wnzv)J^f!brfr4^DHAqz3Y zgq*+ADb^m|4LX>%*Fb1!s8f(SvxKU3!i%7zP>CGhiJH-BvUBFlS+B+nvOEj$GcqC~ zy;>!9!(&5jIe!O91kmAu&KQVe#?S;oBdK6-WsMCS@mwyjhm1v4O@AiCxUXFgKn}Iz zHDMRb`1a*zOTp=s8uD=?@f3b*r|DxzFU2!r+7Bbhk=u!QMYJf9qdU{0zKBX#xrP~8YvDGksyNpB$MzuC}MjDF;H!kw+JL+I>}V^m__+hM11@Sq3e zxYM?>lRv)b=5miD%zL61d#EQy62>{dt-43anZ~5$MKX5MCwDEB*=2W*RvAhc7^)Q< z2fmk3bJ*w4#|Uu(RXoAln%Z7vUU$v4$&soA%LiFNfGT11Sdc(gb?VQV;ag;PfdV!B zUpC$KI;gL=Ww1})>-9VbNlgB>KNBv-?BBN=x4b~+5Vq^mCPM)7h95UNQgl!+iKJ~~ zUQPM6daVwrs^n&e59cE=E%9m8CJH96066`VAvN3n?mV0owp}z=Tm0Q`_*~H!Y zsx9O^Y)!H{S=3R&l9Pf%)O;5nl3A62q=x`w@GbwQegLx)<=Jz4w_OPps$jS`Zr=R9 z1d&!abD-Lo%&;yaog&l-S!>CJnx7Zx18M?`QrCpc2#^4(UmjWV>+r#K`zd^KdGRAe zfaeW`acvJZge7)Q@&`;Nm-18#Jz6A8 zs{uOEi1%NwIr+qLqOdN-1qf_LFvvC@apH1d;p6fAT)^0GSY#_(S$+O(IIVBw;L z5_dTHH-NwXD$M|i8sGB;B3p~LMp6dhZB<29==*$uHSoU*kPHJj56P6x{WdpuFDfM; zOyi@2cOJl(U-i#GxK7U3{I1c5v=+9!@;;=dKm~u-i@<144EUlIo%QmS<0l znNbHhZ6^GvkdKvKf*`AokX7?R)L;93sJ{{`lgyV0pe-z2^bxn6YeO?up=m68Vmt#= zy`ilrw+>BA2jiH7ti+DIG8Y)FJW6!~V%LZ7D)d{7*YgmpX*|F={SE!yF@r#N5KcWm z;(ekZ-SCKsRkbk#huibd?AFUrA*%aWqv`maeu7x_{9Ldjsz@7${;^^z;&hB572<2M zm|#|L%w!n4{40CkPU^EFYYO!-i@S`ba+7FE%ILwk$udn1FHQO^v{thBpvy%QGAK96 z-;~DRmQSwEO<0|jXQ+K;>{mko>X@)hcpR#;oc~z_U582&PokW`R(J#8rPdvsF?oR* zxB#dwEVTRVozP*GFd6@>Y$?D|E+k_U)S~ghMpl?gut1fmFYE94VVcnV05s`4*ni_P zx`@Pw)gcfgr$fd~6^oYZ*AO|UfB6=CzRhKSZ`n%r#y2e5z2d&4%2*XI>#VHYuYX<5p zqGt)ca$=?gE1)s;#iRI%KJoe*5piAF6E4)i`q%9qP+Y=^01vljkE*~5+m2Rnu$u8G zCvKzJo_QrK;d~H~RJTK8`v#*)-zU(FvEZR^t1;`+P#$~+eLxk4L%_Vl@JCU)0`&B( ziDS-Y&qb@^UIR3M;G6YElW)KQ)aMwh`avl0p>sSIW0rBy({sL`pd(-*!9kSO4d zbkGo_ged&izPl)J!Q~#YhX@J=FgehR(fnr)H3#VjFw03Eg#XGmsfi))nXH_#U=^re zM2zpZ08Lbm%J6L>>oKc5z>mtLdNjbDOsFaglks+nnv_oXrViUs!a>B1gsT~b+kO~cl_{ik(F%{1(MOdtR^TWP39Pr=bs!+OX zoVT?||M&^^Cvo2e-2STuS?ao2>&S7BX|GLUHv;5}gu=w{(B!ANgoESp#7Oo;M)Uh$ z4b=CIl7wZ!0$U^21q&*mE`!xZ`XZJOLbrY0$W^%9AZ%JCqB-p_)@Ehqz2^quDl^iZ zYj1-xf6q5XGr`EOYU#I?R0eTQBMyBzlS3~TSfHi0+G84$`iv~rRCl*vRtmD1-l>_# zYB1LQpY*)j5SBDCG;xlZD5*DY+Vt+}T`W1Mxrn^7FucrAj?V2hmgFn$Tx(W4KWfNN z#mF~Ry^GYxRm;v@h`6n@C+j#~{!gq*e5j{7t7TmI?yp+N)`v8FU3a+D_;sul)I96^5v z$w}N%y4fzEHy@y@n06Dwf#_phcyMLkl`v5|j{~d+#N@$hF9eSy$-5xRhT$sXSmt$L z|Na|6D`zo5d`_X8o9Q!@cGCOyH4lFxJ|V3O38goC6>|e^ydBKk)&FxE&;OiI#Q6VG zSy>+>c-jkP{bo8%11SJnXPQw18b5Sl8C6Exh}xrrY^b_^297bqvGlAdb$`GXrw$2> zP9FiTjUkI7ctn)wmYvzq66tUrlD7NIkLe^*l6MspYxf51pFD#ZPOiAY(0CKA# z?JZrrcrBa-I5t75avX*?hxVw5GVmScv4>RYtO&SBw6(QYYce-oz8R!yS#LOIn+6%2Z_sY!1puyYxAl zWjNu`?Z36sM_(tk($@{sD>Rlj?y^{Ed~Mp)bXg?F#~}G<%$l_$Y1XV+#?VD7lRU{+ zy5|xL@=c@q$RGcz%t}>WvsLEx+f>}y_~s0&A^aSvf$A~u<5m&Lra7=YN9&mKYXkNh z%jd>=S>!xmInKWSzyaPL&N;%c$hC(D9Q}yQorpoj!6e#A4gWBq+1}0I{OvcTP+`gJ z=EkXYl09$gZUpLX4BvP4NR#PFbZS^G6g_*bY8^9qI5dBnV!~?plI~{6yxX)0twG7wV>L4B)}5dRO>4zz7)|4W@4 zr+AAC8)v4iJk;}9O7Fm?zjLP48@9QzQIo1KWh~Xda%SrOyRz^fvJjJ=Vrkd z_BFbLN<>nf>4*$8n5Xi~F@xfgsrtq8WaNx= z1E!GyA0hcKkFHsDFU49$tti})!+mXGIH^JYHvjIcSFaishn}OG=3Q!paPzHsAo~J4 zon3P3A4G$XW8Y zD)fK8GWzdXo&Q%II{!1U|J@OP^4m{;V5hTxU?~M*aR+U6mWAVVco6kf< zURe~(vFOjVit9LoPGn_eWd#$|fjBnrwfe7HIC%s1o4lS&bC+?;f-qFq*KeM`^Mb4G zx_*^&rd;-V%T=nED&EU>lKvCScAft47nto0piTkLr#TP)R22R~^Y9z_aU4sisFv;oC~2cNgQ02K<`_k3gTgvI*p-f{+ublK(v-W>VQ z^AqOgBnd2F@Vv74j4%ZDS?zu&tESAZt<7+Zv#3&| zZIr~MkzpJM-D#k&hN=4z5w%GpHWH3)SyDUb45h-`0(;>@DMi{s;V;z&VM?&qkS3bZ zGX>ZIr?JpMPdM%;6w)SIu6OCWjwLnjF$al?llmHVF97>hhGFY}Id^L-wNinpPdf3M z1q@PNY=qkyB4)8x-&?d#a|@cw9HktGGczm8CL@vc|E1WQBabyJ23hhMdarQuj3ADs zdJXf&k_RYtW6;q}?qk`a}hQsL4 zoVn^P9aD&}C0S654ogjpCTu_R>6qaO8U_6f)Kw-EEYm~@QH#VqH z{jd@nVMxf7fX0cOiM-WaIr1+H3J#!amCkHQtm?FdT_Xxq6!r(&9j+f=4g+i%eDQJM z3^lN)1R%$_zQ9W^zWVQ$r~yrpCVl5&o?V6wn7Bq;fC0#3L?!i@fTD< z&^nt(&oh>6f&t!m^1VX_UuN_Kx4$@F{KJ72mCiHqn+p*>R-^`?T|rjV;yl&0c^m|Fz3@banu-z z!|zBRpq_q2aO#NS(@E#S(NIt8-KI{$H+hX1)myN=xsLa8!Rt|g4NvqatP?nzMH1k<08JC}fkGv&6C=8L4k$q?$(3#S zZGWEfR39An!Huwz)0T7xtQmFgg>}KC7ljx~C;xD_eR`@#Bp@AnM=JrIDCW@wjg`~T zokgeOhPn~YipDC^X$HFLVj!MUf8H>-_`AdMcSV)AKL2qZJv)5pLm?j20p|qtqv-E| z&%F}nd*T8jY~V#twCg?!bf^Hm?(_>e)ud>k_xu2QZZ@Hp2ZxxIp`we2y7mquhl|(_znsEw`|3e{c%EaF`OzX&2CI~; z3WVG~co5rR_*ciJIL5$j;V7HglK~zkB-)jrxqTiIDERX7l0wZuPtQl3Jb_-F2pmVY z7Y7)X;3NoPn0TpE3`m<FQ87*lSQ>UL(^>t+9Au^3)4DP{*rk5C_6V!fsB-K7y$E)+33n zU_^%WC7~!3po09}ML7ne0+O+6RXmxaCa-f`ecEXWG{f?sf6)| zANUb;542W`%`j^#vdY3@Y%QxmK8$F>_puOVsk4OaJ7^keMeg-t>szS~KV3xc2b?Vt z4nHlaehOpM^D{U&=v1|V!O)=o%}@qYS)mhnQGCB|6Mz9e;uOsIdD#i4Z%)+fr_|`w z{~~J*j(!lAXzuLnOw>l-Vnh=NSW*n>ct|w}ZLqAhqfi;l%Pp*{t%bs*dIU#edbzkZ z=;95?+`4jQP?*`VW1oe8&0*}a*v-5-wo(kX1+yhJf35eokpX&K$pe}A%2{xKNQ{`CW5o3$vy%Ujq6Z1m6gI(NudKI)8;GcFzys=@C5!k{ zHnxqB&HXkXQX!296<0rwL*kK?JPMJf5>ALajZpYiAEj=&*wk|V7Rpn>5c1RU?8Mi_aN!Dm`GIR9#+4Go6^ovkyUOHvym zmt(!|DhA`)Z`4CK