diff --git a/.gitignore b/.gitignore new file mode 100644 index 0000000..9c6f4d5 --- /dev/null +++ b/.gitignore @@ -0,0 +1,143 @@ +# Byte-compiled / optimized / DLL files +__pycache__/ +*.py[cod] +*$py.class + +# C extensions +*.so + +# Distribution / packaging +.Python +build/ +develop-eggs/ +dist/ +downloads/ +eggs/ +.eggs/ +lib/ +lib64/ +parts/ +sdist/ +var/ +wheels/ +pip-wheel-metadata/ +share/python-wheels/ +*.egg-info/ +.installed.cfg +*.egg +MANIFEST + +# PyInstaller +# Usually these files are written by a python script from a template +# before PyInstaller builds the exe, so as to inject date/other infos into it. +*.manifest +*.spec + +# Installer logs +pip-log.txt +pip-delete-this-directory.txt + +# Unit test / coverage reports +htmlcov/ +.tox/ +.nox/ +.coverage +.coverage.* +.cache +nosetests.xml +coverage.xml +*.cover +*.py,cover +.hypothesis/ +.pytest_cache/ + +# Translations +*.mo +*.pot + +# Django stuff: +*.log +local_settings.py +db.sqlite3 +db.sqlite3-journal + +# Flask stuff: +instance/ +.webassets-cache + +# Scrapy stuff: +.scrapy + +# Sphinx documentation +docs/_build/ + +# PyBuilder +target/ + +# Jupyter Notebook +.ipynb_checkpoints + +# IPython +profile_default/ +ipython_config.py + +# pyenv +.python-version + +# pipenv +# According to pypa/pipenv#598, it is recommended to include Pipfile.lock in version control. +# However, in case of collaboration, if having platform-specific dependencies or dependencies +# having no cross-platform support, pipenv may install dependencies that don't work, or not +# install all needed dependencies. +#Pipfile.lock + +# PEP 582; used by e.g. github.com/David-OConnor/pyflow +__pypackages__/ + +# Celery stuff +celerybeat-schedule +celerybeat.pid + +# SageMath parsed files +*.sage.py + +# Environments +.env +.venv +env/ +venv/ +ENV/ +env.bak/ +venv.bak/ + +# Spyder project settings +.spyderproject +.spyproject + +# Rope project settings +.ropeproject + +# mkdocs documentation +/site + +# mypy +.mypy_cache/ +.dmypy.json +dmypy.json + +# Pyre type checker +.pyre/ + + +.DS_Store + +# large files +online-retail.csv + +# retail-data +retail-data/ + +# tensorboard logs +tf_logs/ + +.vscode/ diff --git a/LDA_news_headlines.ipynb b/LDA_news_headlines.ipynb index 4493777..33d7c20 100644 --- a/LDA_news_headlines.ipynb +++ b/LDA_news_headlines.ipynb @@ -1,5 +1,18 @@ { "cells": [ + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "`abcnews-small.csv` is a ~10k subset of the original 1 million dataset that can be downloaded at https://www.kaggle.com/therohk/million-headlines, which is about 60m unzipped. \n", + "\n", + "Running the whole dataset on a 2017 MacBook Pro:\n", + "\n", + "- the preprocessing step is about 3 minutes: `processed_docs = documents['headline_text'].map(preprocess)`\n", + "- the training step using bag of words is about 5min 46s: `lda_model = gensim.models.LdaMulticore(bow_corpus, num_topics=10, id2word=dictionary, passes=2, workers=2)`\n", + "- the training step using tf-idf is about 9min 21s: `lda_model_tfidf = gensim.models.LdaMulticore(corpus_tfidf, num_topics=10, id2word=dictionary, passes=2, workers=4)`" + ] + }, { "cell_type": "code", "execution_count": 1, @@ -8,7 +21,8 @@ "source": [ "import pandas as pd\n", "\n", - "data = pd.read_csv('abcnews-date-text.csv', error_bad_lines=False);\n", + "data = pd.read_csv('data/abcnews-small.csv', error_bad_lines=False);\n", + "#data = pd.read_csv('data/abcnews-date-text.csv', error_bad_lines=False); # full dataset\n", "data_text = data[['headline_text']]\n", "data_text['index'] = data_text.index\n", "documents = data_text" @@ -20,14 +34,12 @@ "metadata": {}, "outputs": [ { + "output_type": "execute_result", "data": { - "text/plain": [ - "1048575" - ] + "text/plain": "10001" }, - "execution_count": 2, "metadata": {}, - "output_type": "execute_result" + "execution_count": 2 } ], "source": [ @@ -40,72 +52,13 @@ "metadata": {}, "outputs": [ { + "output_type": "execute_result", "data": { - "text/html": [ - "
\n", - "\n", - "\n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - "
headline_textindex
0aba decides against community broadcasting lic...0
1act fire witnesses must be aware of defamation1
2a g calls for infrastructure protection summit2
3air nz staff in aust strike for pay rise3
4air nz strike to affect australian travellers4
\n", - "
" - ], - "text/plain": [ - " headline_text index\n", - "0 aba decides against community broadcasting lic... 0\n", - "1 act fire witnesses must be aware of defamation 1\n", - "2 a g calls for infrastructure protection summit 2\n", - "3 air nz staff in aust strike for pay rise 3\n", - "4 air nz strike to affect australian travellers 4" - ] + "text/plain": " headline_text index\n0 report highlights container terminal potential 0\n1 mud crab business on the move 1\n2 sporting task force planning begins 2\n3 ama airs hospital reform concerns 3\n4 health service speaks out over patient death 4", + "text/html": "
\n\n\n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n
headline_textindex
0report highlights container terminal potential0
1mud crab business on the move1
2sporting task force planning begins2
3ama airs hospital reform concerns3
4health service speaks out over patient death4
\n
" }, - "execution_count": 3, "metadata": {}, - "output_type": "execute_result" + "execution_count": 3 } ], "source": [ @@ -121,7 +74,7 @@ }, { "cell_type": "code", - "execution_count": 5, + "execution_count": 4, "metadata": {}, "outputs": [], "source": [ @@ -131,32 +84,28 @@ "from nltk.stem import WordNetLemmatizer, SnowballStemmer\n", "from nltk.stem.porter import *\n", "import numpy as np\n", - "np.random.seed(2018)" + "np.random.seed(42)" ] }, { "cell_type": "code", - "execution_count": 6, - "metadata": {}, + "execution_count": 5, + "metadata": { + "tags": [] + }, "outputs": [ { - "name": "stdout", "output_type": "stream", - "text": [ - "[nltk_data] Downloading package wordnet to\n", - "[nltk_data] C:\\Users\\SusanLi\\AppData\\Roaming\\nltk_data...\n", - "[nltk_data] Package wordnet is already up-to-date!\n" - ] + "name": "stderr", + "text": "[nltk_data] Downloading package wordnet to\n[nltk_data] /Users/harrywang/nltk_data...\n[nltk_data] Package wordnet is already up-to-date!\n" }, { + "output_type": "execute_result", "data": { - "text/plain": [ - "True" - ] + "text/plain": "True" }, - "execution_count": 6, "metadata": {}, - "output_type": "execute_result" + "execution_count": 5 } ], "source": [ @@ -173,15 +122,15 @@ }, { "cell_type": "code", - "execution_count": 7, - "metadata": {}, + "execution_count": 6, + "metadata": { + "tags": [] + }, "outputs": [ { - "name": "stdout", "output_type": "stream", - "text": [ - "go\n" - ] + "name": "stdout", + "text": "go\n" } ], "source": [ @@ -197,160 +146,17 @@ }, { "cell_type": "code", - "execution_count": 8, + "execution_count": 7, "metadata": {}, "outputs": [ { + "output_type": "execute_result", "data": { - "text/html": [ - "
\n", - "\n", - "\n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - " \n", - "
original wordstemmed
0caressescaress
1fliesfli
2diesdie
3mulesmule
4denieddeni
5dieddie
6agreedagre
7ownedown
8humbledhumbl
9sizedsize
10meetingmeet
11statingstate
12siezingsiez
13itemizationitem
14sensationalsensat
15traditionaltradit
16referencerefer
17colonizercolon
18plottedplot
\n", - "
" - ], - "text/plain": [ - " original word stemmed\n", - "0 caresses caress\n", - "1 flies fli\n", - "2 dies die\n", - "3 mules mule\n", - "4 denied deni\n", - "5 died die\n", - "6 agreed agre\n", - "7 owned own\n", - "8 humbled humbl\n", - "9 sized size\n", - "10 meeting meet\n", - "11 stating state\n", - "12 siezing siez\n", - "13 itemization item\n", - "14 sensational sensat\n", - "15 traditional tradit\n", - "16 reference refer\n", - "17 colonizer colon\n", - "18 plotted plot" - ] + "text/plain": " original word stemmed\n0 caresses caress\n1 flies fli\n2 dies die\n3 mules mule\n4 denied deni\n5 died die\n6 agreed agre\n7 owned own\n8 humbled humbl\n9 sized size\n10 meeting meet\n11 stating state\n12 siezing siez\n13 itemization item\n14 sensational sensat\n15 traditional tradit\n16 reference refer\n17 colonizer colon\n18 plotted plot", + "text/html": "
\n\n\n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n
original wordstemmed
0caressescaress
1fliesfli
2diesdie
3mulesmule
4denieddeni
5dieddie
6agreedagre
7ownedown
8humbledhumbl
9sizedsize
10meetingmeet
11statingstate
12siezingsiez
13itemizationitem
14sensationalsensat
15traditionaltradit
16referencerefer
17colonizercolon
18plottedplot
\n
" }, - "execution_count": 8, "metadata": {}, - "output_type": "execute_result" + "execution_count": 7 } ], "source": [ @@ -364,7 +170,7 @@ }, { "cell_type": "code", - "execution_count": 9, + "execution_count": 8, "metadata": {}, "outputs": [], "source": [ @@ -381,20 +187,15 @@ }, { "cell_type": "code", - "execution_count": 10, - "metadata": {}, + "execution_count": 9, + "metadata": { + "tags": [] + }, "outputs": [ { - "name": "stdout", "output_type": "stream", - "text": [ - "original document: \n", - "['rain', 'helps', 'dampen', 'bushfires']\n", - "\n", - "\n", - " tokenized and lemmatized document: \n", - "['rain', 'help', 'dampen', 'bushfir']\n" - ] + "name": "stdout", + "text": "original document: \n['charity', 'in', 'demand', 'from', 'sacked', 'meatworkers']\n\n\n tokenized and lemmatized document: \n['chariti', 'demand', 'sack', 'meatwork']\n" } ], "source": [ @@ -411,37 +212,35 @@ }, { "cell_type": "code", - "execution_count": 11, - "metadata": {}, - "outputs": [], + "execution_count": 10, + "metadata": { + "tags": [] + }, + "outputs": [ + { + "output_type": "stream", + "name": "stdout", + "text": "CPU times: user 1.4 s, sys: 28.6 ms, total: 1.43 s\nWall time: 1.9 s\n" + } + ], "source": [ + "%%time\n", + "# for the 1 million dataset, wall time: 2min 59s\n", "processed_docs = documents['headline_text'].map(preprocess)" ] }, { "cell_type": "code", - "execution_count": 12, + "execution_count": 11, "metadata": {}, "outputs": [ { + "output_type": "execute_result", "data": { - "text/plain": [ - "0 [decid, communiti, broadcast, licenc]\n", - "1 [wit, awar, defam]\n", - "2 [call, infrastructur, protect, summit]\n", - "3 [staff, aust, strike, rise]\n", - "4 [strike, affect, australian, travel]\n", - "5 [ambiti, olsson, win, tripl, jump]\n", - "6 [antic, delight, record, break, barca]\n", - "7 [aussi, qualifi, stosur, wast, memphi, match]\n", - "8 [aust, address, secur, council, iraq]\n", - "9 [australia, lock, timet]\n", - "Name: headline_text, dtype: object" - ] + "text/plain": "0 [report, highlight, contain, termin, potenti]\n1 [crab, busi]\n2 [sport, task, forc, plan, begin]\n3 [air, hospit, reform, concern]\n4 [health, servic, speak, patient, death]\n5 [hors, ride, enact]\n6 [plan, intersect, revamp, begin]\n7 [stormer, slaughter, shark]\n8 [england, deserv, favourit, oneil]\n9 [firefight, continu, contain, effort, near]\nName: headline_text, dtype: object" }, - "execution_count": 12, "metadata": {}, - "output_type": "execute_result" + "execution_count": 11 } ], "source": [ @@ -457,7 +256,7 @@ }, { "cell_type": "code", - "execution_count": 13, + "execution_count": 12, "metadata": {}, "outputs": [], "source": [ @@ -466,25 +265,15 @@ }, { "cell_type": "code", - "execution_count": 14, - "metadata": {}, + "execution_count": 13, + "metadata": { + "tags": [] + }, "outputs": [ { - "name": "stdout", "output_type": "stream", - "text": [ - "0 broadcast\n", - "1 communiti\n", - "2 decid\n", - "3 licenc\n", - "4 awar\n", - "5 defam\n", - "6 wit\n", - "7 call\n", - "8 infrastructur\n", - "9 protect\n", - "10 summit\n" - ] + "name": "stdout", + "text": "0 contain\n1 highlight\n2 potenti\n3 report\n4 termin\n5 busi\n6 crab\n7 begin\n8 forc\n9 plan\n10 sport\n" } ], "source": [ @@ -498,7 +287,7 @@ }, { "cell_type": "code", - "execution_count": 36, + "execution_count": 14, "metadata": {}, "outputs": [], "source": [ @@ -507,18 +296,16 @@ }, { "cell_type": "code", - "execution_count": 37, + "execution_count": 15, "metadata": {}, "outputs": [ { + "output_type": "execute_result", "data": { - "text/plain": [ - "[(76, 1), (112, 1), (483, 1), (3998, 1)]" - ] + "text/plain": "[(277, 1), (435, 1)]" }, - "execution_count": 37, "metadata": {}, - "output_type": "execute_result" + "execution_count": 15 } ], "source": [ @@ -528,18 +315,15 @@ }, { "cell_type": "code", - "execution_count": 38, - "metadata": {}, + "execution_count": 16, + "metadata": { + "tags": [] + }, "outputs": [ { - "name": "stdout", "output_type": "stream", - "text": [ - "Word 76 (\"bushfir\") appears 1 time.\n", - "Word 112 (\"help\") appears 1 time.\n", - "Word 483 (\"rain\") appears 1 time.\n", - "Word 3998 (\"dampen\") appears 1 time.\n" - ] + "name": "stdout", + "text": "Word 277 (\"demand\") appears 1 time.\nWord 435 (\"sack\") appears 1 time.\n" } ], "source": [ @@ -560,8 +344,10 @@ }, { "cell_type": "code", - "execution_count": 39, - "metadata": {}, + "execution_count": 17, + "metadata": { + "tags": [] + }, "outputs": [], "source": [ "from gensim import corpora, models\n", @@ -571,7 +357,14 @@ }, { "cell_type": "code", - "execution_count": 40, + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [] + }, + { + "cell_type": "code", + "execution_count": 18, "metadata": {}, "outputs": [], "source": [ @@ -580,18 +373,15 @@ }, { "cell_type": "code", - "execution_count": 41, - "metadata": {}, + "execution_count": 19, + "metadata": { + "tags": [] + }, "outputs": [ { - "name": "stdout", "output_type": "stream", - "text": [ - "[(0, 0.5907943557842693),\n", - " (1, 0.3900924708457926),\n", - " (2, 0.49514546614015836),\n", - " (3, 0.5036078441840635)]\n" - ] + "name": "stdout", + "text": "[(0, 0.802436033281265), (1, 0.5967381439893285)]\n" } ], "source": [ @@ -611,43 +401,33 @@ }, { "cell_type": "code", - "execution_count": 42, - "metadata": {}, - "outputs": [], + "execution_count": 20, + "metadata": { + "tags": [] + }, + "outputs": [ + { + "output_type": "stream", + "name": "stdout", + "text": "CPU times: user 1.4 s, sys: 390 ms, total: 1.79 s\nWall time: 4.78 s\n" + } + ], "source": [ + "%%time\n", "lda_model = gensim.models.LdaMulticore(bow_corpus, num_topics=10, id2word=dictionary, passes=2, workers=2)" ] }, { "cell_type": "code", - "execution_count": 43, - "metadata": {}, + "execution_count": 21, + "metadata": { + "tags": [] + }, "outputs": [ { - "name": "stdout", "output_type": "stream", - "text": [ - "Topic: 0 \n", - "Words: 0.035*\"govern\" + 0.024*\"open\" + 0.018*\"coast\" + 0.017*\"tasmanian\" + 0.017*\"gold\" + 0.014*\"australia\" + 0.013*\"beat\" + 0.010*\"win\" + 0.010*\"ahead\" + 0.009*\"shark\"\n", - "Topic: 1 \n", - "Words: 0.023*\"world\" + 0.014*\"final\" + 0.013*\"record\" + 0.012*\"break\" + 0.011*\"lose\" + 0.011*\"australian\" + 0.011*\"leagu\" + 0.011*\"test\" + 0.010*\"australia\" + 0.010*\"hill\"\n", - "Topic: 2 \n", - "Words: 0.018*\"rural\" + 0.018*\"council\" + 0.015*\"fund\" + 0.014*\"plan\" + 0.013*\"health\" + 0.012*\"chang\" + 0.011*\"nation\" + 0.010*\"price\" + 0.010*\"servic\" + 0.009*\"say\"\n", - "Topic: 3 \n", - "Words: 0.025*\"elect\" + 0.022*\"adelaid\" + 0.012*\"perth\" + 0.011*\"take\" + 0.011*\"say\" + 0.010*\"labor\" + 0.010*\"turnbul\" + 0.009*\"vote\" + 0.009*\"royal\" + 0.009*\"time\"\n", - "Topic: 4 \n", - "Words: 0.032*\"court\" + 0.022*\"face\" + 0.020*\"charg\" + 0.020*\"home\" + 0.018*\"tasmania\" + 0.017*\"murder\" + 0.015*\"trial\" + 0.012*\"accus\" + 0.012*\"abus\" + 0.012*\"child\"\n", - "Topic: 5 \n", - "Words: 0.024*\"countri\" + 0.021*\"hour\" + 0.020*\"australian\" + 0.019*\"warn\" + 0.016*\"live\" + 0.013*\"indigen\" + 0.011*\"call\" + 0.009*\"victorian\" + 0.009*\"campaign\" + 0.008*\"show\"\n", - "Topic: 6 \n", - "Words: 0.027*\"south\" + 0.024*\"year\" + 0.020*\"interview\" + 0.020*\"north\" + 0.019*\"jail\" + 0.018*\"west\" + 0.014*\"island\" + 0.013*\"australia\" + 0.013*\"victoria\" + 0.010*\"china\"\n", - "Topic: 7 \n", - "Words: 0.031*\"queensland\" + 0.029*\"melbourn\" + 0.018*\"water\" + 0.017*\"claim\" + 0.013*\"hunter\" + 0.012*\"green\" + 0.012*\"resid\" + 0.011*\"darwin\" + 0.010*\"young\" + 0.009*\"plead\"\n", - "Topic: 8 \n", - "Words: 0.017*\"attack\" + 0.016*\"kill\" + 0.012*\"victim\" + 0.012*\"violenc\" + 0.010*\"hobart\" + 0.010*\"rugbi\" + 0.010*\"secur\" + 0.010*\"say\" + 0.009*\"state\" + 0.008*\"domest\"\n", - "Topic: 9 \n", - "Words: 0.052*\"polic\" + 0.020*\"crash\" + 0.019*\"death\" + 0.017*\"sydney\" + 0.016*\"miss\" + 0.016*\"woman\" + 0.015*\"die\" + 0.015*\"charg\" + 0.014*\"shoot\" + 0.013*\"arrest\"\n" - ] + "name": "stdout", + "text": "Topic: 0 \nWords: 0.037*\"interview\" + 0.035*\"polic\" + 0.020*\"home\" + 0.015*\"hous\" + 0.014*\"school\" + 0.013*\"brisban\" + 0.012*\"question\" + 0.011*\"plead\" + 0.010*\"mark\" + 0.010*\"sydney\"\nTopic: 1 \nWords: 0.022*\"kill\" + 0.020*\"protest\" + 0.019*\"polic\" + 0.019*\"chang\" + 0.015*\"budget\" + 0.014*\"trump\" + 0.013*\"island\" + 0.013*\"tasmanian\" + 0.013*\"speak\" + 0.011*\"urg\"\nTopic: 2 \nWords: 0.040*\"australia\" + 0.026*\"year\" + 0.019*\"elect\" + 0.016*\"servic\" + 0.015*\"bank\" + 0.014*\"council\" + 0.013*\"miss\" + 0.012*\"vote\" + 0.012*\"plan\" + 0.011*\"high\"\nTopic: 3 \nWords: 0.013*\"plan\" + 0.013*\"govern\" + 0.013*\"court\" + 0.013*\"farmer\" + 0.012*\"public\" + 0.012*\"turnbul\" + 0.012*\"million\" + 0.011*\"campaign\" + 0.011*\"hospit\" + 0.011*\"climat\"\nTopic: 4 \nWords: 0.022*\"open\" + 0.013*\"elect\" + 0.013*\"local\" + 0.012*\"make\" + 0.012*\"trump\" + 0.012*\"adelaid\" + 0.012*\"plan\" + 0.012*\"donald\" + 0.011*\"defend\" + 0.011*\"report\"\nTopic: 5 \nWords: 0.020*\"work\" + 0.017*\"talk\" + 0.016*\"melbourn\" + 0.015*\"help\" + 0.015*\"arrest\" + 0.014*\"drug\" + 0.013*\"australian\" + 0.013*\"win\" + 0.013*\"market\" + 0.012*\"countri\"\nTopic: 6 \nWords: 0.018*\"dead\" + 0.013*\"go\" + 0.013*\"claim\" + 0.013*\"lose\" + 0.011*\"industri\" + 0.010*\"crash\" + 0.010*\"award\" + 0.009*\"region\" + 0.009*\"jail\" + 0.009*\"rule\"\nTopic: 7 \nWords: 0.027*\"say\" + 0.019*\"polic\" + 0.017*\"death\" + 0.015*\"group\" + 0.014*\"australia\" + 0.014*\"charg\" + 0.013*\"court\" + 0.013*\"govern\" + 0.012*\"world\" + 0.011*\"farm\"\nTopic: 8 \nWords: 0.037*\"say\" + 0.026*\"attack\" + 0.016*\"crash\" + 0.015*\"health\" + 0.014*\"state\" + 0.012*\"call\" + 0.012*\"face\" + 0.012*\"woman\" + 0.011*\"report\" + 0.011*\"coast\"\nTopic: 9 \nWords: 0.027*\"charg\" + 0.022*\"australian\" + 0.019*\"warn\" + 0.018*\"face\" + 0.017*\"polic\" + 0.014*\"return\" + 0.013*\"sydney\" + 0.012*\"world\" + 0.012*\"centr\" + 0.012*\"final\"\n" } ], "source": [ @@ -671,33 +451,33 @@ }, { "cell_type": "code", - "execution_count": 44, - "metadata": {}, - "outputs": [], + "execution_count": 22, + "metadata": { + "tags": [] + }, + "outputs": [ + { + "output_type": "stream", + "name": "stdout", + "text": "CPU times: user 1.43 s, sys: 177 ms, total: 1.61 s\nWall time: 3.88 s\n" + } + ], "source": [ + "%%time\n", "lda_model_tfidf = gensim.models.LdaMulticore(corpus_tfidf, num_topics=10, id2word=dictionary, passes=2, workers=4)" ] }, { "cell_type": "code", - "execution_count": 47, - "metadata": {}, + "execution_count": 23, + "metadata": { + "tags": [] + }, "outputs": [ { - "name": "stdout", "output_type": "stream", - "text": [ - "Topic: 0 Word: 0.008*\"octob\" + 0.006*\"search\" + 0.006*\"miss\" + 0.006*\"inquest\" + 0.005*\"stori\" + 0.005*\"jam\" + 0.004*\"john\" + 0.004*\"harvest\" + 0.004*\"australia\" + 0.004*\"world\"\n", - "Topic: 1 Word: 0.006*\"action\" + 0.006*\"violenc\" + 0.006*\"thursday\" + 0.005*\"domest\" + 0.005*\"cancer\" + 0.005*\"legal\" + 0.005*\"union\" + 0.005*\"breakfast\" + 0.005*\"school\" + 0.004*\"student\"\n", - "Topic: 2 Word: 0.023*\"rural\" + 0.018*\"govern\" + 0.013*\"news\" + 0.012*\"podcast\" + 0.008*\"grandstand\" + 0.008*\"health\" + 0.007*\"budget\" + 0.007*\"busi\" + 0.007*\"nation\" + 0.007*\"fund\"\n", - "Topic: 3 Word: 0.030*\"countri\" + 0.028*\"hour\" + 0.009*\"sport\" + 0.008*\"septemb\" + 0.008*\"wednesday\" + 0.007*\"commiss\" + 0.006*\"royal\" + 0.006*\"updat\" + 0.006*\"station\" + 0.005*\"bendigo\"\n", - "Topic: 4 Word: 0.014*\"south\" + 0.009*\"weather\" + 0.009*\"north\" + 0.008*\"west\" + 0.008*\"coast\" + 0.008*\"australia\" + 0.006*\"east\" + 0.006*\"queensland\" + 0.006*\"storm\" + 0.005*\"season\"\n", - "Topic: 5 Word: 0.008*\"monday\" + 0.008*\"august\" + 0.006*\"babi\" + 0.005*\"shorten\" + 0.005*\"hobart\" + 0.004*\"victorian\" + 0.004*\"donald\" + 0.004*\"safe\" + 0.004*\"scott\" + 0.004*\"donat\"\n", - "Topic: 6 Word: 0.022*\"interview\" + 0.013*\"market\" + 0.009*\"share\" + 0.008*\"cattl\" + 0.008*\"trump\" + 0.008*\"turnbul\" + 0.007*\"novemb\" + 0.007*\"michael\" + 0.006*\"australian\" + 0.006*\"export\"\n", - "Topic: 7 Word: 0.019*\"crash\" + 0.014*\"kill\" + 0.009*\"fatal\" + 0.009*\"dead\" + 0.007*\"die\" + 0.007*\"truck\" + 0.007*\"polic\" + 0.006*\"attack\" + 0.006*\"injur\" + 0.006*\"bomb\"\n", - "Topic: 8 Word: 0.008*\"drum\" + 0.007*\"abbott\" + 0.007*\"farm\" + 0.006*\"dairi\" + 0.006*\"asylum\" + 0.006*\"tuesday\" + 0.006*\"water\" + 0.006*\"labor\" + 0.006*\"say\" + 0.005*\"plan\"\n", - "Topic: 9 Word: 0.017*\"charg\" + 0.014*\"murder\" + 0.011*\"court\" + 0.011*\"polic\" + 0.009*\"woman\" + 0.008*\"assault\" + 0.008*\"jail\" + 0.008*\"alleg\" + 0.007*\"accus\" + 0.007*\"guilti\"\n" - ] + "name": "stdout", + "text": "Topic: 0 Word: 0.020*\"win\" + 0.017*\"australian\" + 0.017*\"tasmania\" + 0.015*\"test\" + 0.013*\"research\" + 0.013*\"look\" + 0.012*\"cricket\" + 0.011*\"launch\" + 0.010*\"port\" + 0.010*\"food\"\nTopic: 1 Word: 0.026*\"interview\" + 0.020*\"say\" + 0.019*\"woman\" + 0.016*\"charg\" + 0.015*\"final\" + 0.012*\"go\" + 0.012*\"perth\" + 0.009*\"polic\" + 0.009*\"australian\" + 0.008*\"indigen\"\nTopic: 2 Word: 0.019*\"say\" + 0.016*\"market\" + 0.016*\"polic\" + 0.014*\"time\" + 0.013*\"news\" + 0.012*\"brisban\" + 0.011*\"work\" + 0.011*\"melbourn\" + 0.011*\"monday\" + 0.010*\"report\"\nTopic: 3 Word: 0.021*\"elect\" + 0.017*\"miss\" + 0.016*\"plan\" + 0.012*\"talk\" + 0.012*\"centr\" + 0.012*\"leader\" + 0.011*\"aborigin\" + 0.010*\"violenc\" + 0.010*\"white\" + 0.010*\"sydney\"\nTopic: 4 Word: 0.024*\"interview\" + 0.020*\"kill\" + 0.014*\"attack\" + 0.013*\"coast\" + 0.012*\"power\" + 0.011*\"releas\" + 0.011*\"say\" + 0.010*\"peopl\" + 0.010*\"action\" + 0.009*\"step\"\nTopic: 5 Word: 0.017*\"school\" + 0.015*\"stand\" + 0.014*\"hour\" + 0.013*\"trial\" + 0.013*\"fiji\" + 0.012*\"court\" + 0.012*\"open\" + 0.011*\"accus\" + 0.011*\"countri\" + 0.011*\"murder\"\nTopic: 6 Word: 0.019*\"crash\" + 0.016*\"world\" + 0.012*\"adelaid\" + 0.011*\"record\" + 0.011*\"farm\" + 0.010*\"chines\" + 0.010*\"north\" + 0.009*\"queensland\" + 0.009*\"canberra\" + 0.009*\"discuss\"\nTopic: 7 Word: 0.018*\"govern\" + 0.016*\"want\" + 0.012*\"group\" + 0.012*\"child\" + 0.010*\"fund\" + 0.010*\"abus\" + 0.010*\"train\" + 0.010*\"sentenc\" + 0.010*\"year\" + 0.009*\"call\"\nTopic: 8 Word: 0.025*\"australia\" + 0.016*\"warn\" + 0.014*\"farmer\" + 0.012*\"court\" + 0.012*\"announc\" + 0.012*\"law\" + 0.011*\"open\" + 0.010*\"land\" + 0.010*\"lead\" + 0.010*\"tasmanian\"\nTopic: 9 Word: 0.020*\"trump\" + 0.018*\"death\" + 0.011*\"make\" + 0.011*\"hospit\" + 0.011*\"australian\" + 0.010*\"donald\" + 0.010*\"perth\" + 0.010*\"tuesday\" + 0.009*\"water\" + 0.009*\"royal\"\n" } ], "source": [ @@ -721,18 +501,16 @@ }, { "cell_type": "code", - "execution_count": 48, + "execution_count": 24, "metadata": {}, "outputs": [ { + "output_type": "execute_result", "data": { - "text/plain": [ - "['rain', 'help', 'dampen', 'bushfir']" - ] + "text/plain": "['chariti', 'demand', 'sack', 'meatwork']" }, - "execution_count": 48, "metadata": {}, - "output_type": "execute_result" + "execution_count": 24 } ], "source": [ @@ -741,44 +519,15 @@ }, { "cell_type": "code", - "execution_count": 51, - "metadata": {}, + "execution_count": 25, + "metadata": { + "tags": [] + }, "outputs": [ { - "name": "stdout", "output_type": "stream", - "text": [ - "\n", - "Score: 0.41997694969177246\t \n", - "Topic: 0.017*\"attack\" + 0.016*\"kill\" + 0.012*\"victim\" + 0.012*\"violenc\" + 0.010*\"hobart\" + 0.010*\"rugbi\" + 0.010*\"secur\" + 0.010*\"say\" + 0.009*\"state\" + 0.008*\"domest\"\n", - "\n", - "Score: 0.21999986469745636\t \n", - "Topic: 0.023*\"world\" + 0.014*\"final\" + 0.013*\"record\" + 0.012*\"break\" + 0.011*\"lose\" + 0.011*\"australian\" + 0.011*\"leagu\" + 0.011*\"test\" + 0.010*\"australia\" + 0.010*\"hill\"\n", - "\n", - "Score: 0.21999594569206238\t \n", - "Topic: 0.027*\"south\" + 0.024*\"year\" + 0.020*\"interview\" + 0.020*\"north\" + 0.019*\"jail\" + 0.018*\"west\" + 0.014*\"island\" + 0.013*\"australia\" + 0.013*\"victoria\" + 0.010*\"china\"\n", - "\n", - "Score: 0.020009687170386314\t \n", - "Topic: 0.018*\"rural\" + 0.018*\"council\" + 0.015*\"fund\" + 0.014*\"plan\" + 0.013*\"health\" + 0.012*\"chang\" + 0.011*\"nation\" + 0.010*\"price\" + 0.010*\"servic\" + 0.009*\"say\"\n", - "\n", - "Score: 0.020008400082588196\t \n", - "Topic: 0.024*\"countri\" + 0.021*\"hour\" + 0.020*\"australian\" + 0.019*\"warn\" + 0.016*\"live\" + 0.013*\"indigen\" + 0.011*\"call\" + 0.009*\"victorian\" + 0.009*\"campaign\" + 0.008*\"show\"\n", - "\n", - "Score: 0.02000494673848152\t \n", - "Topic: 0.031*\"queensland\" + 0.029*\"melbourn\" + 0.018*\"water\" + 0.017*\"claim\" + 0.013*\"hunter\" + 0.012*\"green\" + 0.012*\"resid\" + 0.011*\"darwin\" + 0.010*\"young\" + 0.009*\"plead\"\n", - "\n", - "Score: 0.020004209131002426\t \n", - "Topic: 0.052*\"polic\" + 0.020*\"crash\" + 0.019*\"death\" + 0.017*\"sydney\" + 0.016*\"miss\" + 0.016*\"woman\" + 0.015*\"die\" + 0.015*\"charg\" + 0.014*\"shoot\" + 0.013*\"arrest\"\n", - "\n", - "Score: 0.019999999552965164\t \n", - "Topic: 0.035*\"govern\" + 0.024*\"open\" + 0.018*\"coast\" + 0.017*\"tasmanian\" + 0.017*\"gold\" + 0.014*\"australia\" + 0.013*\"beat\" + 0.010*\"win\" + 0.010*\"ahead\" + 0.009*\"shark\"\n", - "\n", - "Score: 0.019999999552965164\t \n", - "Topic: 0.025*\"elect\" + 0.022*\"adelaid\" + 0.012*\"perth\" + 0.011*\"take\" + 0.011*\"say\" + 0.010*\"labor\" + 0.010*\"turnbul\" + 0.009*\"vote\" + 0.009*\"royal\" + 0.009*\"time\"\n", - "\n", - "Score: 0.019999999552965164\t \n", - "Topic: 0.032*\"court\" + 0.022*\"face\" + 0.020*\"charg\" + 0.020*\"home\" + 0.018*\"tasmania\" + 0.017*\"murder\" + 0.015*\"trial\" + 0.012*\"accus\" + 0.012*\"abus\" + 0.012*\"child\"\n" - ] + "name": "stdout", + "text": "\nScore: 0.6999604105949402\t \nTopic: 0.018*\"dead\" + 0.013*\"go\" + 0.013*\"claim\" + 0.013*\"lose\" + 0.011*\"industri\" + 0.010*\"crash\" + 0.010*\"award\" + 0.009*\"region\" + 0.009*\"jail\" + 0.009*\"rule\"\n\nScore: 0.033347394317388535\t \nTopic: 0.013*\"plan\" + 0.013*\"govern\" + 0.013*\"court\" + 0.013*\"farmer\" + 0.012*\"public\" + 0.012*\"turnbul\" + 0.012*\"million\" + 0.011*\"campaign\" + 0.011*\"hospit\" + 0.011*\"climat\"\n\nScore: 0.03334241360425949\t \nTopic: 0.040*\"australia\" + 0.026*\"year\" + 0.019*\"elect\" + 0.016*\"servic\" + 0.015*\"bank\" + 0.014*\"council\" + 0.013*\"miss\" + 0.012*\"vote\" + 0.012*\"plan\" + 0.011*\"high\"\n\nScore: 0.033337824046611786\t \nTopic: 0.037*\"say\" + 0.026*\"attack\" + 0.016*\"crash\" + 0.015*\"health\" + 0.014*\"state\" + 0.012*\"call\" + 0.012*\"face\" + 0.012*\"woman\" + 0.011*\"report\" + 0.011*\"coast\"\n\nScore: 0.03333580866456032\t \nTopic: 0.022*\"open\" + 0.013*\"elect\" + 0.013*\"local\" + 0.012*\"make\" + 0.012*\"trump\" + 0.012*\"adelaid\" + 0.012*\"plan\" + 0.012*\"donald\" + 0.011*\"defend\" + 0.011*\"report\"\n\nScore: 0.033335328102111816\t \nTopic: 0.027*\"charg\" + 0.022*\"australian\" + 0.019*\"warn\" + 0.018*\"face\" + 0.017*\"polic\" + 0.014*\"return\" + 0.013*\"sydney\" + 0.012*\"world\" + 0.012*\"centr\" + 0.012*\"final\"\n\nScore: 0.03333524614572525\t \nTopic: 0.027*\"say\" + 0.019*\"polic\" + 0.017*\"death\" + 0.015*\"group\" + 0.014*\"australia\" + 0.014*\"charg\" + 0.013*\"court\" + 0.013*\"govern\" + 0.012*\"world\" + 0.011*\"farm\"\n\nScore: 0.033335208892822266\t \nTopic: 0.020*\"work\" + 0.017*\"talk\" + 0.016*\"melbourn\" + 0.015*\"help\" + 0.015*\"arrest\" + 0.014*\"drug\" + 0.013*\"australian\" + 0.013*\"win\" + 0.013*\"market\" + 0.012*\"countri\"\n\nScore: 0.03333519399166107\t \nTopic: 0.037*\"interview\" + 0.035*\"polic\" + 0.020*\"home\" + 0.015*\"hous\" + 0.014*\"school\" + 0.013*\"brisban\" + 0.012*\"question\" + 0.011*\"plead\" + 0.010*\"mark\" + 0.010*\"sydney\"\n\nScore: 0.03333517909049988\t \nTopic: 0.022*\"kill\" + 0.020*\"protest\" + 0.019*\"polic\" + 0.019*\"chang\" + 0.015*\"budget\" + 0.014*\"trump\" + 0.013*\"island\" + 0.013*\"tasmanian\" + 0.013*\"speak\" + 0.011*\"urg\"\n" } ], "source": [ @@ -802,44 +551,15 @@ }, { "cell_type": "code", - "execution_count": 52, - "metadata": {}, + "execution_count": 26, + "metadata": { + "tags": [] + }, "outputs": [ { - "name": "stdout", "output_type": "stream", - "text": [ - "\n", - "Score: 0.44014573097229004\t \n", - "Topic: 0.014*\"south\" + 0.009*\"weather\" + 0.009*\"north\" + 0.008*\"west\" + 0.008*\"coast\" + 0.008*\"australia\" + 0.006*\"east\" + 0.006*\"queensland\" + 0.006*\"storm\" + 0.005*\"season\"\n", - "\n", - "Score: 0.3998423218727112\t \n", - "Topic: 0.023*\"rural\" + 0.018*\"govern\" + 0.013*\"news\" + 0.012*\"podcast\" + 0.008*\"grandstand\" + 0.008*\"health\" + 0.007*\"budget\" + 0.007*\"busi\" + 0.007*\"nation\" + 0.007*\"fund\"\n", - "\n", - "Score: 0.02000250481069088\t \n", - "Topic: 0.006*\"action\" + 0.006*\"violenc\" + 0.006*\"thursday\" + 0.005*\"domest\" + 0.005*\"cancer\" + 0.005*\"legal\" + 0.005*\"union\" + 0.005*\"breakfast\" + 0.005*\"school\" + 0.004*\"student\"\n", - "\n", - "Score: 0.020002111792564392\t \n", - "Topic: 0.008*\"drum\" + 0.007*\"abbott\" + 0.007*\"farm\" + 0.006*\"dairi\" + 0.006*\"asylum\" + 0.006*\"tuesday\" + 0.006*\"water\" + 0.006*\"labor\" + 0.006*\"say\" + 0.005*\"plan\"\n", - "\n", - "Score: 0.020001791417598724\t \n", - "Topic: 0.030*\"countri\" + 0.028*\"hour\" + 0.009*\"sport\" + 0.008*\"septemb\" + 0.008*\"wednesday\" + 0.007*\"commiss\" + 0.006*\"royal\" + 0.006*\"updat\" + 0.006*\"station\" + 0.005*\"bendigo\"\n", - "\n", - "Score: 0.02000163123011589\t \n", - "Topic: 0.008*\"octob\" + 0.006*\"search\" + 0.006*\"miss\" + 0.006*\"inquest\" + 0.005*\"stori\" + 0.005*\"jam\" + 0.004*\"john\" + 0.004*\"harvest\" + 0.004*\"australia\" + 0.004*\"world\"\n", - "\n", - "Score: 0.020001478493213654\t \n", - "Topic: 0.008*\"monday\" + 0.008*\"august\" + 0.006*\"babi\" + 0.005*\"shorten\" + 0.005*\"hobart\" + 0.004*\"victorian\" + 0.004*\"donald\" + 0.004*\"safe\" + 0.004*\"scott\" + 0.004*\"donat\"\n", - "\n", - "Score: 0.02000102959573269\t \n", - "Topic: 0.017*\"charg\" + 0.014*\"murder\" + 0.011*\"court\" + 0.011*\"polic\" + 0.009*\"woman\" + 0.008*\"assault\" + 0.008*\"jail\" + 0.008*\"alleg\" + 0.007*\"accus\" + 0.007*\"guilti\"\n", - "\n", - "Score: 0.020000804215669632\t \n", - "Topic: 0.022*\"interview\" + 0.013*\"market\" + 0.009*\"share\" + 0.008*\"cattl\" + 0.008*\"trump\" + 0.008*\"turnbul\" + 0.007*\"novemb\" + 0.007*\"michael\" + 0.006*\"australian\" + 0.006*\"export\"\n", - "\n", - "Score: 0.020000625401735306\t \n", - "Topic: 0.019*\"crash\" + 0.014*\"kill\" + 0.009*\"fatal\" + 0.009*\"dead\" + 0.007*\"die\" + 0.007*\"truck\" + 0.007*\"polic\" + 0.006*\"attack\" + 0.006*\"injur\" + 0.006*\"bomb\"\n" - ] + "name": "stdout", + "text": "\nScore: 0.6999433040618896\t \nTopic: 0.024*\"interview\" + 0.020*\"kill\" + 0.014*\"attack\" + 0.013*\"coast\" + 0.012*\"power\" + 0.011*\"releas\" + 0.011*\"say\" + 0.010*\"peopl\" + 0.010*\"action\" + 0.009*\"step\"\n\nScore: 0.0333525687456131\t \nTopic: 0.018*\"govern\" + 0.016*\"want\" + 0.012*\"group\" + 0.012*\"child\" + 0.010*\"fund\" + 0.010*\"abus\" + 0.010*\"train\" + 0.010*\"sentenc\" + 0.010*\"year\" + 0.009*\"call\"\n\nScore: 0.03334299474954605\t \nTopic: 0.026*\"interview\" + 0.020*\"say\" + 0.019*\"woman\" + 0.016*\"charg\" + 0.015*\"final\" + 0.012*\"go\" + 0.012*\"perth\" + 0.009*\"polic\" + 0.009*\"australian\" + 0.008*\"indigen\"\n\nScore: 0.033339973539114\t \nTopic: 0.020*\"trump\" + 0.018*\"death\" + 0.011*\"make\" + 0.011*\"hospit\" + 0.011*\"australian\" + 0.010*\"donald\" + 0.010*\"perth\" + 0.010*\"tuesday\" + 0.009*\"water\" + 0.009*\"royal\"\n\nScore: 0.033338554203510284\t \nTopic: 0.019*\"crash\" + 0.016*\"world\" + 0.012*\"adelaid\" + 0.011*\"record\" + 0.011*\"farm\" + 0.010*\"chines\" + 0.010*\"north\" + 0.009*\"queensland\" + 0.009*\"canberra\" + 0.009*\"discuss\"\n\nScore: 0.033337488770484924\t \nTopic: 0.017*\"school\" + 0.015*\"stand\" + 0.014*\"hour\" + 0.013*\"trial\" + 0.013*\"fiji\" + 0.012*\"court\" + 0.012*\"open\" + 0.011*\"accus\" + 0.011*\"countri\" + 0.011*\"murder\"\n\nScore: 0.03333703428506851\t \nTopic: 0.019*\"say\" + 0.016*\"market\" + 0.016*\"polic\" + 0.014*\"time\" + 0.013*\"news\" + 0.012*\"brisban\" + 0.011*\"work\" + 0.011*\"melbourn\" + 0.011*\"monday\" + 0.010*\"report\"\n\nScore: 0.0333360955119133\t \nTopic: 0.020*\"win\" + 0.017*\"australian\" + 0.017*\"tasmania\" + 0.015*\"test\" + 0.013*\"research\" + 0.013*\"look\" + 0.012*\"cricket\" + 0.011*\"launch\" + 0.010*\"port\" + 0.010*\"food\"\n\nScore: 0.033336006104946136\t \nTopic: 0.025*\"australia\" + 0.016*\"warn\" + 0.014*\"farmer\" + 0.012*\"court\" + 0.012*\"announc\" + 0.012*\"law\" + 0.011*\"open\" + 0.010*\"land\" + 0.010*\"lead\" + 0.010*\"tasmanian\"\n\nScore: 0.03333596512675285\t \nTopic: 0.021*\"elect\" + 0.017*\"miss\" + 0.016*\"plan\" + 0.012*\"talk\" + 0.012*\"centr\" + 0.012*\"leader\" + 0.011*\"aborigin\" + 0.010*\"violenc\" + 0.010*\"white\" + 0.010*\"sydney\"\n" } ], "source": [ @@ -863,24 +583,15 @@ }, { "cell_type": "code", - "execution_count": 54, - "metadata": {}, + "execution_count": 27, + "metadata": { + "tags": [] + }, "outputs": [ { - "name": "stdout", "output_type": "stream", - "text": [ - "Score: 0.3500000238418579\t Topic: 0.017*\"attack\" + 0.016*\"kill\" + 0.012*\"victim\" + 0.012*\"violenc\" + 0.010*\"hobart\"\n", - "Score: 0.34998345375061035\t Topic: 0.025*\"elect\" + 0.022*\"adelaid\" + 0.012*\"perth\" + 0.011*\"take\" + 0.011*\"say\"\n", - "Score: 0.18333327770233154\t Topic: 0.052*\"polic\" + 0.020*\"crash\" + 0.019*\"death\" + 0.017*\"sydney\" + 0.016*\"miss\"\n", - "Score: 0.01667369343340397\t Topic: 0.035*\"govern\" + 0.024*\"open\" + 0.018*\"coast\" + 0.017*\"tasmanian\" + 0.017*\"gold\"\n", - "Score: 0.01666990853846073\t Topic: 0.027*\"south\" + 0.024*\"year\" + 0.020*\"interview\" + 0.020*\"north\" + 0.019*\"jail\"\n", - "Score: 0.016669215634465218\t Topic: 0.018*\"rural\" + 0.018*\"council\" + 0.015*\"fund\" + 0.014*\"plan\" + 0.013*\"health\"\n", - "Score: 0.016668815165758133\t Topic: 0.024*\"countri\" + 0.021*\"hour\" + 0.020*\"australian\" + 0.019*\"warn\" + 0.016*\"live\"\n", - "Score: 0.01666823774576187\t Topic: 0.031*\"queensland\" + 0.029*\"melbourn\" + 0.018*\"water\" + 0.017*\"claim\" + 0.013*\"hunter\"\n", - "Score: 0.016666674986481667\t Topic: 0.032*\"court\" + 0.022*\"face\" + 0.020*\"charg\" + 0.020*\"home\" + 0.018*\"tasmania\"\n", - "Score: 0.01666666753590107\t Topic: 0.023*\"world\" + 0.014*\"final\" + 0.013*\"record\" + 0.012*\"break\" + 0.011*\"lose\"\n" - ] + "name": "stdout", + "text": "Score: 0.6999323964118958\t Topic: 0.020*\"work\" + 0.017*\"talk\" + 0.016*\"melbourn\" + 0.015*\"help\" + 0.015*\"arrest\"\nScore: 0.03335041552782059\t Topic: 0.013*\"plan\" + 0.013*\"govern\" + 0.013*\"court\" + 0.013*\"farmer\" + 0.012*\"public\"\nScore: 0.03334531560540199\t Topic: 0.037*\"say\" + 0.026*\"attack\" + 0.016*\"crash\" + 0.015*\"health\" + 0.014*\"state\"\nScore: 0.0333448089659214\t Topic: 0.040*\"australia\" + 0.026*\"year\" + 0.019*\"elect\" + 0.016*\"servic\" + 0.015*\"bank\"\nScore: 0.033340469002723694\t Topic: 0.022*\"open\" + 0.013*\"elect\" + 0.013*\"local\" + 0.012*\"make\" + 0.012*\"trump\"\nScore: 0.03334016725420952\t Topic: 0.027*\"charg\" + 0.022*\"australian\" + 0.019*\"warn\" + 0.018*\"face\" + 0.017*\"polic\"\nScore: 0.0333387665450573\t Topic: 0.018*\"dead\" + 0.013*\"go\" + 0.013*\"claim\" + 0.013*\"lose\" + 0.011*\"industri\"\nScore: 0.03333800658583641\t Topic: 0.027*\"say\" + 0.019*\"polic\" + 0.017*\"death\" + 0.015*\"group\" + 0.014*\"australia\"\nScore: 0.03333493694663048\t Topic: 0.037*\"interview\" + 0.035*\"polic\" + 0.020*\"home\" + 0.015*\"hous\" + 0.014*\"school\"\nScore: 0.03333476185798645\t Topic: 0.022*\"kill\" + 0.020*\"protest\" + 0.019*\"polic\" + 0.019*\"chang\" + 0.015*\"budget\"\n" } ], "source": [ @@ -896,14 +607,26 @@ "execution_count": null, "metadata": {}, "outputs": [], - "source": [] + "source": [ + "%%time\n", + "# random choose 10,000 about 1/100 from the whole dataset\n", + "# no need to run this\n", + "import random\n", + "\n", + "n = 1186018 # 1 million total \n", + "s = 10000 # random 10k\n", + "skip = sorted(random.sample(range(n), n-s))\n", + "data_small = pd.read_csv('data/abcnews-date-text.csv', skiprows=skip, error_bad_lines=False, names=['index', 'headline_text'])\n", + "data_small.drop('index', axis=1, inplace=True)\n", + "data_small.to_csv('data/abcnews-small.csv')" + ] } ], "metadata": { "kernelspec": { - "display_name": "Python 3", + "display_name": "Python 3.7.6 64-bit ('venv': venv)", "language": "python", - "name": "python3" + "name": "python_defaultSpec_1598387176193" }, "language_info": { "codemirror_mode": { @@ -915,9 +638,9 @@ "name": "python", "nbconvert_exporter": "python", "pygments_lexer": "ipython3", - "version": "3.6.4" + "version": "3.7.6-final" } }, "nbformat": 4, "nbformat_minor": 2 -} +} \ No newline at end of file diff --git a/LDA_podcast.ipynb b/LDA_podcast.ipynb new file mode 100644 index 0000000..d35c376 --- /dev/null +++ b/LDA_podcast.ipynb @@ -0,0 +1,550 @@ +{ + "cells": [ + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "podcast data: each csv is an episode and each line is a sentence from the transcript" + ] + }, + { + "cell_type": "code", + "execution_count": 96, + "metadata": {}, + "outputs": [], + "source": [ + "import pandas as pd\n", + "\n", + "data = pd.read_csv('data/podcast1.csv', error_bad_lines=False);\n", + "documents = data[['headline']]" + ] + }, + { + "cell_type": "code", + "execution_count": 97, + "metadata": {}, + "outputs": [ + { + "output_type": "execute_result", + "data": { + "text/plain": "142" + }, + "metadata": {}, + "execution_count": 97 + } + ], + "source": [ + "len(documents)" + ] + }, + { + "cell_type": "code", + "execution_count": 98, + "metadata": {}, + "outputs": [ + { + "output_type": "execute_result", + "data": { + "text/plain": " headline\n0 Let's face.\n1 It podcasting is a booming business.\n2 I have information that I want the world to he...\n3 Well good news.\n4 I found the answer anchor anchor dot.", + "text/html": "
\n\n\n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n
headline
0Let's face.
1It podcasting is a booming business.
2I have information that I want the world to he...
3Well good news.
4I found the answer anchor anchor dot.
\n
" + }, + "metadata": {}, + "execution_count": 98 + } + ], + "source": [ + "documents[:5]" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "### Data Preprocessing" + ] + }, + { + "cell_type": "code", + "execution_count": 99, + "metadata": {}, + "outputs": [], + "source": [ + "import gensim\n", + "from gensim.utils import simple_preprocess\n", + "from gensim.parsing.preprocessing import STOPWORDS\n", + "from nltk.stem import WordNetLemmatizer, SnowballStemmer\n", + "from nltk.stem.porter import *\n", + "import numpy as np\n", + "#np.random.seed(42)" + ] + }, + { + "cell_type": "code", + "execution_count": 100, + "metadata": { + "tags": [] + }, + "outputs": [ + { + "output_type": "stream", + "name": "stderr", + "text": "[nltk_data] Downloading package wordnet to\n[nltk_data] /Users/harrywang/nltk_data...\n[nltk_data] Package wordnet is already up-to-date!\n" + }, + { + "output_type": "execute_result", + "data": { + "text/plain": "True" + }, + "metadata": {}, + "execution_count": 100 + } + ], + "source": [ + "import nltk\n", + "nltk.download('wordnet')" + ] + }, + { + "cell_type": "code", + "execution_count": 101, + "metadata": {}, + "outputs": [ + { + "output_type": "execute_result", + "data": { + "text/plain": " original word stemmed\n0 caresses caress\n1 flies fli\n2 dies die\n3 mules mule\n4 denied deni\n5 died die\n6 agreed agre\n7 owned own\n8 humbled humbl\n9 sized size\n10 meeting meet\n11 stating state\n12 siezing siez\n13 itemization item\n14 sensational sensat\n15 traditional tradit\n16 reference refer\n17 colonizer colon\n18 plotted plot", + "text/html": "
\n\n\n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n
original wordstemmed
0caressescaress
1fliesfli
2diesdie
3mulesmule
4denieddeni
5dieddie
6agreedagre
7ownedown
8humbledhumbl
9sizedsize
10meetingmeet
11statingstate
12siezingsiez
13itemizationitem
14sensationalsensat
15traditionaltradit
16referencerefer
17colonizercolon
18plottedplot
\n
" + }, + "metadata": {}, + "execution_count": 101 + } + ], + "source": [ + "stemmer = SnowballStemmer('english')\n", + "original_words = ['caresses', 'flies', 'dies', 'mules', 'denied','died', 'agreed', 'owned', \n", + " 'humbled', 'sized','meeting', 'stating', 'siezing', 'itemization','sensational', \n", + " 'traditional', 'reference', 'colonizer','plotted']\n", + "singles = [stemmer.stem(plural) for plural in original_words]\n", + "pd.DataFrame(data = {'original word': original_words, 'stemmed': singles})" + ] + }, + { + "cell_type": "code", + "execution_count": 102, + "metadata": {}, + "outputs": [], + "source": [ + "def lemmatize_stemming(text):\n", + " return stemmer.stem(WordNetLemmatizer().lemmatize(text, pos='v'))\n", + "\n", + "def preprocess(text):\n", + " result = []\n", + " for token in gensim.utils.simple_preprocess(text):\n", + " if token not in gensim.parsing.preprocessing.STOPWORDS and len(token) > 3:\n", + " result.append(lemmatize_stemming(token))\n", + " return result" + ] + }, + { + "cell_type": "code", + "execution_count": 103, + "metadata": { + "tags": [] + }, + "outputs": [ + { + "output_type": "stream", + "name": "stdout", + "text": "CPU times: user 40.7 ms, sys: 2.84 ms, total: 43.5 ms\nWall time: 71.6 ms\n" + } + ], + "source": [ + "%%time\n", + "processed_docs = documents['headline'].map(preprocess)" + ] + }, + { + "cell_type": "code", + "execution_count": 104, + "metadata": {}, + "outputs": [ + { + "output_type": "execute_result", + "data": { + "text/plain": "0 [face]\n1 [podcast, boom, busi]\n2 [inform, want, world, hear, want, outrag, fee,...\n3 [good, news]\n4 [answer, anchor, anchor]\n5 [anchor, creat, content, distribut, free, worl...\n6 [record, add, pay, play, listen, audienc]\n7 [record, host, guest, music, bumper, track, im...\n8 [want, creat, podcast, budget, expens, studio,...\n9 [work, match, respons, listen, audienc, pay, p...\nName: headline, dtype: object" + }, + "metadata": {}, + "execution_count": 104 + } + ], + "source": [ + "processed_docs[:10]" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "### Bag of words on the dataset" + ] + }, + { + "cell_type": "code", + "execution_count": 105, + "metadata": {}, + "outputs": [], + "source": [ + "dictionary = gensim.corpora.Dictionary(processed_docs)" + ] + }, + { + "cell_type": "code", + "execution_count": 106, + "metadata": { + "tags": [] + }, + "outputs": [ + { + "output_type": "stream", + "name": "stdout", + "text": "0 face\n1 boom\n2 busi\n3 podcast\n4 charg\n5 distributor\n6 fee\n7 hear\n8 inform\n9 outrag\n10 want\n" + } + ], + "source": [ + "count = 0\n", + "for k, v in dictionary.iteritems():\n", + " print(k, v)\n", + " count += 1\n", + " if count > 10:\n", + " break" + ] + }, + { + "cell_type": "code", + "execution_count": 107, + "metadata": {}, + "outputs": [], + "source": [ + "# skip this for podcast\n", + "# filtering tokens\n", + "#less than 15 documents (absolute number) or\n", + "#more than 0.5 documents (fraction of total corpus size, not absolute number).\n", + "#after the above two steps, keep only the first 100000 most frequent tokens.\n", + "\n", + "#dictionary.filter_extremes(no_below=15, no_above=0.5, keep_n=100000)" + ] + }, + { + "cell_type": "code", + "execution_count": 108, + "metadata": {}, + "outputs": [], + "source": [ + "bow_corpus = [dictionary.doc2bow(doc) for doc in processed_docs]" + ] + }, + { + "cell_type": "code", + "execution_count": 109, + "metadata": { + "tags": [] + }, + "outputs": [ + { + "output_type": "stream", + "name": "stdout", + "text": "Word 4 (\"charg\") appears 1 time.\nWord 5 (\"distributor\") appears 1 time.\nWord 6 (\"fee\") appears 1 time.\nWord 7 (\"hear\") appears 1 time.\nWord 8 (\"inform\") appears 1 time.\nWord 9 (\"outrag\") appears 1 time.\nWord 10 (\"want\") appears 2 time.\nWord 11 (\"world\") appears 1 time.\n" + } + ], + "source": [ + "bow_doc_2 = bow_corpus[2]\n", + "\n", + "for i in range(len(bow_doc_2)):\n", + " print(\"Word {} (\\\"{}\\\") appears {} time.\".format(bow_doc_2[i][0], \n", + " dictionary[bow_doc_2[i][0]], \n", + " bow_doc_2[i][1]))" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "### TF-IDF" + ] + }, + { + "cell_type": "code", + "execution_count": 110, + "metadata": { + "tags": [] + }, + "outputs": [], + "source": [ + "from gensim import corpora, models\n", + "\n", + "tfidf = models.TfidfModel(bow_corpus)" + ] + }, + { + "cell_type": "code", + "execution_count": 111, + "metadata": {}, + "outputs": [], + "source": [ + "corpus_tfidf = tfidf[bow_corpus]" + ] + }, + { + "cell_type": "code", + "execution_count": 112, + "metadata": { + "tags": [] + }, + "outputs": [ + { + "output_type": "stream", + "name": "stdout", + "text": "[(0, 1.0)]\n" + } + ], + "source": [ + "from pprint import pprint\n", + "\n", + "for doc in corpus_tfidf:\n", + " pprint(doc)\n", + " break" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "### Running LDA using Bag of Words" + ] + }, + { + "cell_type": "code", + "execution_count": 113, + "metadata": { + "tags": [] + }, + "outputs": [ + { + "output_type": "stream", + "name": "stdout", + "text": "CPU times: user 128 ms, sys: 24.1 ms, total: 152 ms\nWall time: 546 ms\n" + } + ], + "source": [ + "%%time\n", + "lda_model = gensim.models.LdaMulticore(bow_corpus, num_topics=5, id2word=dictionary, passes=2, workers=2)" + ] + }, + { + "cell_type": "code", + "execution_count": 114, + "metadata": { + "tags": [] + }, + "outputs": [ + { + "output_type": "stream", + "name": "stdout", + "text": "Topic: 0 \nWords: 0.018*\"music\" + 0.015*\"copi\" + 0.013*\"understand\" + 0.012*\"mode\" + 0.012*\"nebuchadnezzar\" + 0.012*\"king\" + 0.011*\"bibl\" + 0.010*\"languag\" + 0.009*\"instrument\" + 0.009*\"babylonian\"\nTopic: 1 \nWords: 0.020*\"music\" + 0.016*\"podcast\" + 0.016*\"anchor\" + 0.015*\"worship\" + 0.013*\"king\" + 0.013*\"fall\" + 0.012*\"shall\" + 0.012*\"nebuchadnezzar\" + 0.012*\"sound\" + 0.011*\"time\"\nTopic: 2 \nWords: 0.025*\"instrument\" + 0.023*\"like\" + 0.016*\"music\" + 0.011*\"scholar\" + 0.010*\"liar\" + 0.010*\"text\" + 0.010*\"guitar\" + 0.010*\"tablet\" + 0.008*\"king\" + 0.008*\"string\"\nTopic: 3 \nWords: 0.047*\"string\" + 0.020*\"number\" + 0.016*\"music\" + 0.013*\"manuscript\" + 0.012*\"second\" + 0.011*\"fourth\" + 0.010*\"come\" + 0.008*\"call\" + 0.008*\"tablet\" + 0.008*\"podcast\"\nTopic: 4 \nWords: 0.024*\"note\" + 0.014*\"mode\" + 0.013*\"tune\" + 0.010*\"music\" + 0.009*\"time\" + 0.009*\"understand\" + 0.009*\"go\" + 0.009*\"list\" + 0.009*\"seven\" + 0.009*\"worship\"\n" + } + ], + "source": [ + "for idx, topic in lda_model.print_topics(-1):\n", + " print('Topic: {} \\nWords: {}'.format(idx, topic))" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "Cool! Can you distinguish different topics using the words in each topic and their corresponding weights?" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "### Running LDA using TF-IDF" + ] + }, + { + "cell_type": "code", + "execution_count": 115, + "metadata": { + "tags": [] + }, + "outputs": [ + { + "output_type": "stream", + "name": "stdout", + "text": "CPU times: user 128 ms, sys: 27.4 ms, total: 156 ms\nWall time: 473 ms\n" + } + ], + "source": [ + "%%time\n", + "lda_model_tfidf = gensim.models.LdaMulticore(corpus_tfidf, num_topics=5, id2word=dictionary, passes=2, workers=4)" + ] + }, + { + "cell_type": "code", + "execution_count": 116, + "metadata": { + "tags": [] + }, + "outputs": [ + { + "output_type": "stream", + "name": "stdout", + "text": "Topic: 0 Word: 0.009*\"time\" + 0.009*\"babylonian\" + 0.007*\"add\" + 0.006*\"gain\" + 0.006*\"face\" + 0.006*\"amen\" + 0.006*\"tablet\" + 0.006*\"note\" + 0.006*\"nebuchadnezzar\" + 0.006*\"beauti\"\nTopic: 1 Word: 0.010*\"nebuchadnezzar\" + 0.010*\"king\" + 0.009*\"imag\" + 0.008*\"understand\" + 0.007*\"worship\" + 0.007*\"nation\" + 0.007*\"holi\" + 0.007*\"answer\" + 0.007*\"string\" + 0.006*\"fifth\"\nTopic: 2 Word: 0.010*\"fourth\" + 0.009*\"anchor\" + 0.008*\"deliv\" + 0.007*\"yeshua\" + 0.006*\"string\" + 0.006*\"joyous\" + 0.006*\"tablet\" + 0.006*\"composit\" + 0.006*\"text\" + 0.005*\"hand\"\nTopic: 3 Word: 0.010*\"manuscript\" + 0.010*\"like\" + 0.008*\"note\" + 0.007*\"instrument\" + 0.007*\"triton\" + 0.006*\"generat\" + 0.006*\"serv\" + 0.006*\"worship\" + 0.005*\"fifth\" + 0.005*\"choos\"\nTopic: 4 Word: 0.008*\"kadosh\" + 0.008*\"tuna\" + 0.006*\"follow\" + 0.006*\"millennium\" + 0.006*\"final\" + 0.006*\"broadcast\" + 0.006*\"list\" + 0.005*\"listen\" + 0.005*\"mode\" + 0.005*\"like\"\n" + } + ], + "source": [ + "for idx, topic in lda_model_tfidf.print_topics(-1):\n", + " print('Topic: {} Word: {}'.format(idx, topic))" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "### Classification of the topics" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "### Performance evaluation by classifying sample document using LDA Bag of Words model" + ] + }, + { + "cell_type": "code", + "execution_count": 117, + "metadata": {}, + "outputs": [ + { + "output_type": "execute_result", + "data": { + "text/plain": "['inform',\n 'want',\n 'world',\n 'hear',\n 'want',\n 'outrag',\n 'fee',\n 'distributor',\n 'charg']" + }, + "metadata": {}, + "execution_count": 117 + } + ], + "source": [ + "processed_docs[2]" + ] + }, + { + "cell_type": "code", + "execution_count": 118, + "metadata": { + "tags": [] + }, + "outputs": [ + { + "output_type": "stream", + "name": "stdout", + "text": "\nScore: 0.9195420742034912\t \nTopic: 0.025*\"instrument\" + 0.023*\"like\" + 0.016*\"music\" + 0.011*\"scholar\" + 0.010*\"liar\" + 0.010*\"text\" + 0.010*\"guitar\" + 0.010*\"tablet\" + 0.008*\"king\" + 0.008*\"string\"\n\nScore: 0.020303118973970413\t \nTopic: 0.020*\"music\" + 0.016*\"podcast\" + 0.016*\"anchor\" + 0.015*\"worship\" + 0.013*\"king\" + 0.013*\"fall\" + 0.012*\"shall\" + 0.012*\"nebuchadnezzar\" + 0.012*\"sound\" + 0.011*\"time\"\n\nScore: 0.020136237144470215\t \nTopic: 0.018*\"music\" + 0.015*\"copi\" + 0.013*\"understand\" + 0.012*\"mode\" + 0.012*\"nebuchadnezzar\" + 0.012*\"king\" + 0.011*\"bibl\" + 0.010*\"languag\" + 0.009*\"instrument\" + 0.009*\"babylonian\"\n\nScore: 0.020012253895401955\t \nTopic: 0.024*\"note\" + 0.014*\"mode\" + 0.013*\"tune\" + 0.010*\"music\" + 0.009*\"time\" + 0.009*\"understand\" + 0.009*\"go\" + 0.009*\"list\" + 0.009*\"seven\" + 0.009*\"worship\"\n\nScore: 0.020006300881505013\t \nTopic: 0.047*\"string\" + 0.020*\"number\" + 0.016*\"music\" + 0.013*\"manuscript\" + 0.012*\"second\" + 0.011*\"fourth\" + 0.010*\"come\" + 0.008*\"call\" + 0.008*\"tablet\" + 0.008*\"podcast\"\n" + } + ], + "source": [ + "for index, score in sorted(lda_model[bow_corpus[2]], key=lambda tup: -1*tup[1]):\n", + " print(\"\\nScore: {}\\t \\nTopic: {}\".format(score, lda_model.print_topic(index, 10)))" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "Our test document has the highest probability to be part of the topic on the top." + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "### Performance evaluation by classifying sample document using LDA TF-IDF model" + ] + }, + { + "cell_type": "code", + "execution_count": 119, + "metadata": { + "tags": [] + }, + "outputs": [ + { + "output_type": "stream", + "name": "stdout", + "text": "\nScore: 0.9197124242782593\t \nTopic: 0.008*\"kadosh\" + 0.008*\"tuna\" + 0.006*\"follow\" + 0.006*\"millennium\" + 0.006*\"final\" + 0.006*\"broadcast\" + 0.006*\"list\" + 0.005*\"listen\" + 0.005*\"mode\" + 0.005*\"like\"\n\nScore: 0.020113665610551834\t \nTopic: 0.010*\"fourth\" + 0.009*\"anchor\" + 0.008*\"deliv\" + 0.007*\"yeshua\" + 0.006*\"string\" + 0.006*\"joyous\" + 0.006*\"tablet\" + 0.006*\"composit\" + 0.006*\"text\" + 0.005*\"hand\"\n\nScore: 0.020106647163629532\t \nTopic: 0.009*\"time\" + 0.009*\"babylonian\" + 0.007*\"add\" + 0.006*\"gain\" + 0.006*\"face\" + 0.006*\"amen\" + 0.006*\"tablet\" + 0.006*\"note\" + 0.006*\"nebuchadnezzar\" + 0.006*\"beauti\"\n\nScore: 0.020052103325724602\t \nTopic: 0.010*\"nebuchadnezzar\" + 0.010*\"king\" + 0.009*\"imag\" + 0.008*\"understand\" + 0.007*\"worship\" + 0.007*\"nation\" + 0.007*\"holi\" + 0.007*\"answer\" + 0.007*\"string\" + 0.006*\"fifth\"\n\nScore: 0.020015127956867218\t \nTopic: 0.010*\"manuscript\" + 0.010*\"like\" + 0.008*\"note\" + 0.007*\"instrument\" + 0.007*\"triton\" + 0.006*\"generat\" + 0.006*\"serv\" + 0.006*\"worship\" + 0.005*\"fifth\" + 0.005*\"choos\"\n" + } + ], + "source": [ + "for index, score in sorted(lda_model_tfidf[bow_corpus[2]], key=lambda tup: -1*tup[1]):\n", + " print(\"\\nScore: {}\\t \\nTopic: {}\".format(score, lda_model_tfidf.print_topic(index, 10)))" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "Our test document has the highest probability to be part of the topic on the top." + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "### Testing model on unseen document" + ] + }, + { + "cell_type": "code", + "execution_count": 120, + "metadata": { + "tags": [] + }, + "outputs": [ + { + "output_type": "stream", + "name": "stdout", + "text": "Score: 0.3993603587150574\t Topic: 0.024*\"note\" + 0.014*\"mode\" + 0.013*\"tune\" + 0.010*\"music\" + 0.009*\"time\"\nScore: 0.3985576927661896\t Topic: 0.047*\"string\" + 0.020*\"number\" + 0.016*\"music\" + 0.013*\"manuscript\" + 0.012*\"second\"\nScore: 0.06868214905261993\t Topic: 0.025*\"instrument\" + 0.023*\"like\" + 0.016*\"music\" + 0.011*\"scholar\" + 0.010*\"liar\"\nScore: 0.06670212745666504\t Topic: 0.018*\"music\" + 0.015*\"copi\" + 0.013*\"understand\" + 0.012*\"mode\" + 0.012*\"nebuchadnezzar\"\nScore: 0.06669768691062927\t Topic: 0.020*\"music\" + 0.016*\"podcast\" + 0.016*\"anchor\" + 0.015*\"worship\" + 0.013*\"king\"\n" + } + ], + "source": [ + "unseen_document = 'How a Pentagon deal became an identity crisis for Google'\n", + "bow_vector = dictionary.doc2bow(preprocess(unseen_document))\n", + "\n", + "for index, score in sorted(lda_model[bow_vector], key=lambda tup: -1*tup[1]):\n", + " print(\"Score: {}\\t Topic: {}\".format(score, lda_model.print_topic(index, 5)))" + ] + } + ], + "metadata": { + "kernelspec": { + "display_name": "Python 3.7.6 64-bit ('venv': venv)", + "language": "python", + "name": "python_defaultSpec_1598472566473" + }, + "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.7.6-final" + } + }, + "nbformat": 4, + "nbformat_minor": 2 +} \ No newline at end of file diff --git a/README.md b/README.md index cb4fe35..7ac0608 100644 --- a/README.md +++ b/README.md @@ -1,2 +1,13 @@ # NLP with Python Scikit-Learn, NLTK, Spacy, Gensim, Textblob and more + +## Setup + +VSCode with python3 and virtual environment: + +``` +python3 -m venv venv +source venv/bin/activate +pip install -r requirements.txt +code . +``` diff --git a/data/abcnews-small.csv b/data/abcnews-small.csv new file mode 100644 index 0000000..01b027e --- /dev/null +++ b/data/abcnews-small.csv @@ -0,0 +1,10002 @@ +,headline_text +0,report highlights container terminal potential +1,mud crab business on the move +2,sporting task force planning begins +3,ama airs hospital reform concerns +4,health service speaks out over patient death +5,horse ride to re enact mt isa mine find +6,planning for intersection revamp begins +7,stormers slaughter sharks +8,england deserves cup favouritism oneill +9,firefighters to continue containment efforts near +10,coastal grazing boom lifts property prices +11,girl succumbs to road crash injuries +12,greens candidate wants forest commitments +13,schoolgirls mother unhappy with coroners findings +14,arts boost to have spin offs +15,man hurt in driveway ordeal +16,murder trial hears phone tapes +17,police investigate sexual assault of perth woman +18,police probe childs death +19,council asked to rethink electoral change +20,job fears arise over wa prison closure +21,albany man awaits sentencing over child porn +22,geraldton to host three major events this weekend +23,man dies while crossing kings canyon +24,probe ordered into use of police in political +25,request for fruit fly funding knocked back +26,alp welcomes arrest of alleged sept 11 mastermind +27,darwin man charged with double murder +28,fox bounty program continues in gippsland +29,senate may provide double dissolution trigger +30,vic police fear for safety of toddler in stolen car +31,illawarra health recognised for alcohol efforts +32,candidates set to contest albury seat +33,national parks under fire over media campaign +34,telstra rejects claim it hinders competition +35,act women honoured for equality contribution +36,barry sheene loses battle with cancer +37,motor racing world in mourning after sheenes death +38,keating critical of us relationship +39,otways burn offs planned +40,motion against war in iraq defeated again +41,iraq destroys three more banned missiles +42,pelican shores developer not at fault councillor +43,nsw govt to compensate farmers for protected +44,dry season cuts cream production +45,afl set to audit player payments +46,wa team to defend mining honour in us +47,csiro centre will aid in gene identification +48,golden time may be ahead for mine +49,indigenous heritage study to be launched +50,kings to target crocs turner +51,rocks threatening boaties +52,increased security around parliament +53,man convicted of murdering parents +54,priest calls on islamic nations to rise against us +55,anti war protests underway +56,chamber to air crime concerns +57,invasion force looms on basra fringe +58,who team investigates mystery illness +59,coalition commander franks addresses media +60,leisel leads breaststroke field +61,israel missile mystery solved +62,pow film breaks geneva convention red cross +63,revenue loss sparks non smoking policy change +64,wild weather brings stock losses +65,us urges iraq to abide by geneva convention for +66,winery to do contract crushing +67,world vision expands epenarra project +68,australians fear losing their jobs +69,china ups pneumonia toll amid secrecy +70,man killed in stolen car not chased police +71,motorists to be targeted for not securing car +72,new body needed to keep building industry lawful +73,swiss refuse to oust iraqi diplomats +74,atsic pledges to help stop violence +75,blix sees post war monitors role for un +76,mp critical of job network changes +77,kings end townsville crocs season +78,man to face court over land council office blaze +79,act govt could reap windfall from land development +80,more must be done to reduce japanese beef tariffs +81,disabled ex servicemen women to meet over pension +82,govts urged to improve professional indemnity cover +83,police seek bushwalker who reported body +84,wa women being tested for sars +85,dechy cargill into sarasota last eight +86,insurance company apologises for handling of down +87,labor at odds over gallipoli visit +88,sims reappointed coach of western border team +89,safin injury upsets russian davis cup hopes +90,60 dead after bangladeshi boat accident +91,consumer groups critical of telstra price hikes +92,fitzgeralds praise for philippoussis +93,tenders called for school redevelopment +94,21 children teacher killed in russian school fire +95,qld govt airs cancer fund trial concerns +96,dpp staff strike over funding cuts +97,fuelwatch to be extended in wa +98,blair postpones key northern ireland visit +99,historic voyage docks at port adelaide +100,powerful rangers move closer to scottish treble +101,qantas air nz to push ahead with alliance +102,cuba executes three ferry hijackers +103,man charged with murder after neighbourhood +104,saturday trading approval prompts hopes for more +105,searchers find body in narooma harbour +106,claims investment boom not helping smaller miners +107,elmes announces nats cook candidacy +108,rogers season in jeopardy +109,atsic commissioner issues reform warning +110,car sales driving economy +111,council and bank give oasis project green light +112,man dies in gippsland car crash +113,officer starts get back to school campaign +114,police to monitor drivers on new freeway section +115,sars precautions planned for arafura games +116,hoddle admits euro dream is over +117,us forces trying to resolves power dispute in kut +118,baghdads big cats hungry for food aid +119,downer doubts north korea nuclear claims +120,love beats austin in agonizing playoff for fifth +121,who team in shanghai more deaths in beijing +122,armed bandit hits fruit shop +123,big easter weekend for bendigo +124,resort owner airs fears over planned pastoral +125,wide bay drivers fairly well behaved +126,bangladesh bide time against south africa +127,british mp denies saddam payroll tag +128,musharraf calls for key un role in post saddam iraq +129,abc board appointment process must be overhauled +130,council to consider budget plan +131,freight company pleased by bridge reopening +132,wa petrol pricing attacked by accc +133,funds sought for officer to work with +134,men charged over ecstasy haul refused bail +135,nt doctors group voices support for medicare +136,sam retains euro heavyweight title +137,zoo threatening legal action against animal +138,mans penis cut off in south african attack +139,europes top clubs want part of world cup profit +140,parreira out for maiden win with brazil +141,probe aims to raise financial advice standards +142,rose and immelman set for us open debuts in june +143,schumacher wants winning debut for new ferrari +144,blues secure super 12 top spot +145,brothel shares continue steady climb +146,experimental salinity awareness program launched +147,psychiatric evidence heard in stabbing trial +148,puplick quits amid abuse of power row +149,qantas flight attendant awaits sars test result +150,sea swap navy scheme unlikely to include regional +151,wheat streak virus found in sa +152,defence chief backs sending troops home +153,reserve bank keeps rates steady +154,western desert art founder dies of cancer +155,aboriginal leaders urged to consider positions +156,brogden urges changes to bail laws for driving +157,demand prompts porto to sell uefa tickets early +158,us tests potential mobile weapons lab +159,blues overpower hurricanes +160,chamber aims to boost dalby training +161,jones gustafson lead lpga event +162,team coast banned from competition +163,govt urged to commit to paid maternity leave +164,dees do it for daniher +165,budget to benefit gippsland mcgauran +166,democrats urge qld govt to match reef funds +167,group welcomes expanded drug treatment scheme +168,spider boys members charged after fire bomb attack +169,china suspends adoption programs over sars fears +170,pair arrested after hit and run +171,australian sailors arriving home from gulf +172,police nab alleged car thief in sydney +173,starving victorians end hunger strike +174,irc dismisses pilots unfair dismissal claim +175,culture genes found to play role in alzheimers +176,farmers dispute ends in tractor joust +177,govt accused of politicising parades +178,nt budget to boost child protection +179,oneill slams australias poor defensive record +180,suspected bali mastermind formally charged +181,former bhp chief receives 10m payout +182,lga welcomes possibile shire council amalgamation +183,no promises for iraqi refugees +184,tas opp critical of drug clinic closure +185,un warns of aceh humanitarian crisis +186,australians urged to acknowledge indigenous +187,awards to put exporters in the spotlight +188,howard defends decision over g g +189,staff shortages endangering aged residents survey +190,woman still missing despite more searches +191,federal police probe woomera claims +192,abc asked to investigate war coverage +193,bhp takes on unions over stop work meeting +194,crows hoping for return of injured players +195,public cooperation sought to move croc +196,ruling sparks spate of migration appeals +197,sa ama elects new president +198,ses funds mean fundraising reprieve +199,thailand singles out unmarried women for contest +200,pm would consider any us request for marines base +201,fist full of films launched +202,vic opposition airs speed camera revenue concerns +203,train guard tells waterfall inquest he didnt act +204,forestry weighbridge workers return to work +205,hauritz clarke in chief ministers xi +206,war veteran unhappy with reception withdrawal +207,canberra man denied bail in act magistrates court +208,sabbatini takes lead in maryland +209,poland closer to joining eu +210,mps partner killed in car accident +211,mystery distress flares spark search +212,regions need more input in budget mp +213,zimbabwe change squad for one day series +214,farmers seek bushfires coroners inquest +215,hemp claims court ruling will enhance disrespect +216,regional salinity levels under scrutiny +217,victoria to trial home detention +218,mine workers locked out in wollongong +219,sa riverland hosts wetlands forum +220,chinese crewman granted bail over trawler skippers +221,police search for suspects after supermarket break +222,sampras says he will never play french open again +223,sharon offers hamas ceasefire deal palestinian +224,crean to reshuffle frontbench after leadership win +225,groups share in fishing research funds +226,heynckes tipped to take over at schalke 04 +227,dse boosts hounding of wild dogs +228,ricegrowers unhappy with delayed water sharing +229,30000 working days lost in march by striking +230,doctors group sceptical about telecommunication +231,le mans win is part of bentleys big plan +232,teske considering invitation to mens tournament +233,school bus operators say offer still inadequate +234,tevez double helps boca steam into libertadores +235,pakistan arrests 2 italians holding nuclear +236,rice to follow powell on road map tour +237,adelaide to host international biotech conference +238,police confirm murdered melbourne mans identity +239,repairs delay iraq oil exports +240,garcia woods threaten at rain marred pga event +241,new stations to hit the airwaves +242,amc shares stripped by 50pc +243,buyers sought for failed tin mine +244,ricketson battling flu ahead of origin ii +245,30 drown in sierra leone boat capsize +246,blairs communications chief denies misleading on +247,palestinian teen kills israeli near west bank +248,rspca blasts defence dept over roo cull plans +249,unamended media bill returns to senate +250,baddeley back on course +251,committee to investigate crime commission +252,council to seek water quality assurances +253,pretender announces shadow iraq government +254,accc warns drug companies on promotions +255,rice talks with palestinians israelis about latest +256,ullrich can beat armstrong spanish legend indurain +257,black caps coach aberhart quits +258,murder victims sister seeking protection +259,pm targeted in amnesty protest +260,wimmera finds good looks pay off +261,aceh conflict spreads to cities military +262,govt considers barrow is gas project +263,sa govt silent on bolkus raffle ticket query +264,beattie celebrates fifth anniversary as qld premier +265,government commends ilc for operation improvements +266,grafton welcomes air services return +267,law firm examining possible legal challenge to mcg +268,survey aims to address childhood obesity +269,nsw opposition questions fisheries fees +270,toddler dies in driveway mishap +271,wimbledon last day results +272,hicks still without military defence team +273,williams adler lose penalty appeal +274,federal opposition considers aged care woes +275,good rain for some farmers +276,rural researchers sign s american deal +277,baby broncos face tough test +278,slow response to ec drought aid +279,sptafl +280,coughlin set to sink inky +281,nsw police seize drugs worth 64m in warehouse raid +282,councils to meet over boundary options +283,murphy pyman ohern among open qualifiers at loch +284,call for more grassland plan consultation +285,councillor critical of water saving incentives +286,popps bubble bursts in stuttgart +287,rent a cow scheme opens for swiss cheese lovers +288,worsening violence leaves 200 dead in burundi +289,cambodia arrests aust man on phone racket charge +290,tas opposition highlights nursing shortage concerns +291,market follows wall st down +292,fat mice get lazy just like us +293,qld tops palliative care rates +294,imron goes on trial over bali blast +295,call for mall revamp +296,sixers hoping to cash in on asian basketball boom +297,tehran row deepens over probe into canadian death +298,israel rules out releasing militant prisoners +299,albany hosts security meeting +300,popov serves warning to van den hoogenband and +301,rubber playground surface to be examined +302,gm canola decision criticised as premature +303,war memorial presented with iraq war relics +304,lehmann posts century as aussies take control +305,crean under fire over badgerys creek airport +306,govt asked to investigate france war graves claims +307,police follow fresh leads in bodney murder +308,coffs youth week wins award +309,icac looking at sealing of road to nowhere +310,ambush kills one us soldier wounds two in iraq +311,bush rejects calls for same sex marriage +312,fire probe to visit manjimup +313,police operation uncovers cannabis plants +314,claims snowy booze bus working +315,pm asked to intervene in hospital funding row +316,petrol pumps to display ethanol content +317,soldier snoozes in fridge to escape iraq heat +318,sultan and 17 wives enjoy weekend away +319,seven rebels one soldier the latest casualties in +320,mining conference launches attack against govt +321,mundine bout in doubt +322,new bendigo police station site chosen +323,truss airs water blueprint concerns +324,fringe play has nothing to offer +325,taxi drivers voice safety concerns +326,traffic congestion dilemma looms anderson says +327,wa electoral reform hinges on high court appeal +328,aust missing benefits of some multinationals study +329,warning against pulling f 111s out of service early +330,charvis secures world cup backing +331,hicks says evidence proves son not a terrorist +332,a g calls for update of tenant databases +333,woomera inmates too scared to talk +334,govt doubles norfolk is murder info reward +335,lions lead pies at half time +336,post mortem to be carried out on unidentified body +337,oppn accuses govt of museum sabotage +338,roo vindaloo and on the barbecue the future +339,toronto museum explores history of contraceptives +340,average weekly wage tops 900 +341,club chiefs to meet over tax fears +342,police to extradite suspect in home invasion case +343,portsmouth throw bosnich a lifeline +344,british police charge 3 after anti terror raid +345,consumers still hungry for lamb despite price rise +346,unitab shares drop despite profit boom +347,concerns aired over timber imports +348,mother to give evidence in baby manslaughter trial +349,sixth man charged over alice death +350,astronaut opens sa unis science maths school +351,health warning as factory blaze continues in sydney +352,mp wants death penalty for terrorism in australia +353,police probe home bashing +354,trial of accused cop killers begins +355,woman caring for disabled brother loses support +356,mp highlights ambulance levy concerns +357,officials wanted to gag kelly inquiry hears +358,concerns over quota for aust beef exports +359,de mello to be buried in france after brazil wake +360,edwards to retire after world championships +361,us confirms deaths by a serial sniper +362,beattie predicts one nation backlash +363,global race against clock to beat virus +364,nz capital shaken by small earthquake +365,wild weather batters ballarat +366,commission recommends police charges after ji +367,childrens hospital sacks controversial surgeon +368,minister to get glen innes severn merger plan +369,vic govt ups nurses registration fee by 70pc +370,vic police arrest eight in drug raids +371,producers get ec drought aid +372,alpha accident kills toowoomba woman +373,hamilton residents unsurprised by sand plant +374,veterans welcome patrol boat name +375,aung san suu kyi not on hunger strike red cross +376,end nuclear program and us will guarantee security +377,melbourne raid uncovers 400000 of pirated dvds +378,palma dropped from 2007 americas cup venues +379,govt pressures senators over cross media ownership +380,webb only 24 hours from tulsa win +381,govt gets mileage out of carr speculation +382,mineral plant work on track +383,pakistans selection policy called into question +384,vic oppn seeks speed zone clarity +385,rain trouble prompts flushing meadows roofing move +386,delegates address drought impact +387,new approach to drug abuse needed pearson +388,parliament pays tribute to whitlam minister +389,tourism group backs qantas air nz bid +390,wa govt seeks business support for survey +391,israeli security cabinet meets as palestinians +392,mid west meeting to focus on industry initiatives +393,bodies recovered after boat capsizes in nigeria +394,payne saddles up for season opener +395,rain stops play in chicago +396,man pleads not guilty in murder trial +397,software giant co founder funds brain atlas +398,archbishop defends confessional confidentiality +399,great ocean rd to get protection from winds of +400,frenchman jailed for life for plotting attacks in +401,patterson unmoved by vaccine criticism +402,sa issues bore water arsenic warning +403,senate committee hears of visa outcome success for +404,truss seeks meaningful cane grower talks +405,wall streets gains buoy australian share market +406,kekovich in court on drink driving charges +407,national park reopens after january bushfires +408,truck loses load north of adelaide +409,hostages held in belgian supermarket +410,schwarzeneggers popularity soars as ballot nears +411,manufacturing survey shows production up jobs down +412,nsw clubs hold rally to protest pokie tax hikes +413,roman antiquity bowls over british experts +414,odriscoll ready for special cup performance +415,eu against israel plans to extend west bank barrier +416,fatty diet not linked to stroke risk researchers +417,russians continue to make noise at kremlin cup +418,biaggi cruises to pacific gp victory stoner second +419,roosters panthers count down to kick off +420,us snipers to defend iraq oil pipeline +421,cherry blossoms arrive in oz +422,germany vs sweden world cup final +423,helicopter winches missing bushwalker to safety +424,huston holds off pappas for victory in mississippi +425,mauled magician critical but stable after tiger +426,crawford to captain rules side +427,hope for wind farm work to take off soon +428,zims can grow without flowers says blignaut +429,karzai denies taliban foreign minister freed +430,turkish parliament approves troops for iraq +431,png police obstruct media chasing missing ww2 gold +432,afghani warlords agree to ceasefire +433,genocide threat warrants pre emptive strike g g +434,howard announces national bushfire inquiry +435,paradorn keeps up masters cup dream +436,south korean cabinet tenders resignations +437,victorian group seeks police access to files +438,paramedics warn of summer snake bite risk +439,surgery begins to separate egyptian twins +440,south east nsw jobless rate falls again +441,university increases graduation ceremonies +442,fate of information centre still undecided +443,two dead in nsw workplace accidents +444,china vows new space mission within two years +445,sa viewers receive second tv channel +446,jacobsen leads greensboro classic +447,australia to ring the changes against namibia +448,police crack child sex ring +449,quarantine service helps tiwi islanders export +450,perth take the glory in high scoring fare +451,egyptian twins show improved movement +452,operation finetunes firefighting skills +453,council airs water reform dairy industry fears +454,israel speeds building of west bank barrier un +455,is your sheep stressed just ask it +456,two us soldiers wounded in baghdad bomb blast +457,howard asks china us to work together over taiwan +458,man jailed after stealing over 150000 worth of +459,all russian miners alive rescuers say +460,award honour for bunbury senior +461,ireland bumps australia in irb rankings +462,solar flare may disrupt satellite communications +463,cabbies rank industry reviews poorly +464,financial woes behind health restructure +465,ferguson reignites feud with wenger +466,muslim spiritual leader pleads for end to sydney +467,antarctic enzyme speeds up dna testing report +468,kasper keen cairns back for black caps +469,report puts living murray initiative under +470,retail spending strong but inflation in check +471,howard govt secures poll surge +472,ashrawi delivers message of hope +473,bulk billing rates still in free fall +474,holden opens 400m plant +475,court bid to secure release of top end arrivals +476,court told rehabilitation of sex offender +477,redbacks seeking quick runs against tigers +478,scots reshuffle forward pack for quarter final +479,palestinian shot in west bank report +480,china frees australian spy +481,jordan investigates banned cartoon +482,two drown off kangaroo island another winched to +483,bushfires lead to blow out in esb budget +484,ump decision raises ongoing concerns +485,liquidator resigns after asic probe +486,bargains push wall street higher +487,oppn says water whistleblowers receiving rage +488,plan mooted for reduced hospital beds +489,streak inspires zimbabwe fightback +490,darwin ship wreck touted as tourist site +491,hanson ettridge unsure of qld inquiry +492,qld loses bid to keep rapist in prison +493,death toll from istanbul blast rises to 24 +494,nz delays tour of pakistan +495,zimbabwe drop carlisle for windies one dayers +496,cheap sa power project on hold +497,thousands of schoolies head for airlie beach +498,us china trade tensions continue to simmer +499,heavy rain causes flooding in the act +500,van nistelrooy fires united to the top +501,changes help wolves win over perth +502,briton gets 42 years for thai child sex abuse +503,protesters state forests at loggerheads over +504,spp share suspension remains +505,west broms hughes charged over fatal crash +506,mp attacks alp grafton appointment +507,residents oppose super council plan +508,spanish angry over anthem mix up +509,japan spy satellite launch ends in failure +510,power back on top +511,ambrose captures v8 crown +512,punter wins hungarys 317m record lottery +513,health reports bad news no surprise +514,police to probe siege handling +515,rumsfeld wins foot in mouth award +516,downpour soaks huntingdale +517,minister praises mine safety +518,qld property market unlikely to slow reiq +519,mine workers get entitlements win +520,argentina worries british nukes sunk in falklands +521,brown urges latham to take stand on forests +522,lee returns for blues at mcg +523,saddam coordinating resistance says tribal leader +524,scientists hone replacement joints +525,funds to help bridge safety concerns +526,qantas snap strike delays services +527,leeds deny sheikh bid +528,peanut allergies more common studies +529,us linked to israeli military tactics +530,opposition not happy with icac probe +531,tas nurses call for pay rise +532,bartlett continues to split democrats +533,australia aims for early wickets +534,nt democrats spell out election agenda +535,saddam to face public trial iraqi official +536,26 oyster farms closed +537,christmas thieves steal stocking +538,police find gun after waratah west fight +539,malaysian villagers claim ufo sighting +540,no jobs to go in mine deal +541,rsl apologises for d day advert +542,australians issued general travel alert +543,man to face court over stabbing +544,union names sarina cop shop dump of the month +545,three us soldiers wounded in iraqi attacks police +546,bishop involved in abuse mediation +547,downer douses nauru citizenship plan +548,police hunt bin bombers +549,st george warns of cooling in housing growth +550,beattie hopes for at least two more terms +551,bus crash kills 12 in belgium +552,landslides kill 70 in the philippines +553,china takes steps to prevent another sars cover up +554,virgin atlantic pilot bailed on alcohol charges +555,s korea plans more troops for iraq +556,man charged over hunter murder +557,three us soldiers killed in iraq bomb blast +558,bichel surplus to requirements at mcg +559,auditor denies fraud claims in parmalat scandal +560,ultra nationalists on top in serb vote monitors +561,farmers help bolster southern wa business +562,police chase woombye post office robber +563,police make new years day drink driving arrests +564,uniteds blagojevic looks to singapore club +565,ponting takes mcgilvray medal +566,lull in south korean bird flu outbreak +567,moomba gas shortage to last two weeks +568,philippines gym blast may have killed 10 military +569,lucky charms work only in the mind of the carrier +570,european mps targeted in letter bomb campaign +571,hospital sets sights on eye surgery plan +572,reef fishing closures announced +573,hackett throws down challenge to thorpe +574,cairns council cuts millions in debt +575,epl players cleared of rape charges report +576,heart attack kills dominican pm +577,nt town gives cardboard coffins the thumbs up +578,new bushfire detection tower unveiled in act +579,vampire robbers plan bites the dust +580,checkpoint charlie museum founder dead +581,karzai says he will run for afghan presidential +582,cyclone raises questions about niues nationhood +583,nz feels pinch as doctors cross tasman +584,pasminco mine workers walk off job +585,man accused of sydney shootings refused bail +586,us china leading global economic recovery un +587,flood warnings issued for drought hit areas +588,live sheep exports to vietnam begins +589,nsw rail managers sacked over waterfall disaster +590,beattie vows to go it alone on tree clearing +591,study highlights pollution impact on dolphins +592,aussie cricket team stunned by hookess death +593,japanese troops enter southern iraq +594,farmers welcome federal road package +595,man jailed for ex girlfriends murder +596,schemes aim to address regional teachers shortage +597,tenders to be called for workers club demolition +598,drivers urged to watch for returning students +599,qld leaders stand by health plans +600,un seeks funds to rebuild gaza homes +601,costello accuses labor of amateur accounting +602,indonesian fishing boat nabbed +603,majority support end to tree clearing poll +604,wine association chief resigns +605,driver pleads not guilty over motorcyclist death +606,gender tests to end on volleyballers +607,israel hezbollah make breakthrough prisoner swap +608,lightning strikes central qld home +609,santoro gets davis cup boot +610,asx ends week in black +611,govt accused of dodgy bookkeeping +612,king island milk plant still in the red despite +613,suarez ruano pascual claim first australian title +614,tas senator lodges complaint against newspoll +615,beaten navratilova farewells aust open +616,al qaeda attack fears ground us domestic flight +617,howard rejects lathams schools plan +618,record cold and wet january for mt gambier +619,ruddock warns al qaeda threat remains +620,babies offered uni music course +621,email giants eye spam charge +622,warriors in strong position after opening day +623,water association backs plan for irrigation loans +624,jackson off grammy list as breast row spreads +625,last minute campaigning in qlds southern seats +626,minister concerned over powerlink environmental +627,cave paintings may shed new light on south africa +628,tigers hang on for bellerive draw +629,juvenile detainee treated after fire +630,four charged over 16m cannabis haul +631,group calls for independent inquiry into unsw +632,french lovers wed despite death +633,train delays continue in sydney +634,councillor challenges rockhampton mayor +635,f1 chief says costs must drop +636,forestry group attacks protests +637,reynolds ready to take on new portfolio +638,ken and barbie to split +639,blaze engulfs condobolin school again +640,new blood for wheatbelt development commission +641,act oppn refers gay adoption laws to a g +642,dam burst fears prompt evacuations in nz town +643,telstra considered fairfax takeover +644,councillor to vie for wollongong lord mayoralty +645,rspca urges humane crab killing in nt +646,tonga mourns death of royal +647,govt urged to release fta fine print +648,warne stakes test claim as tigers crumble +649,tension overflows at sydney rape trial +650,wa govt offers regional essential services boost +651,westpacs frequent flyer program wings clipped +652,green group vows pumphouse fight +653,indonesian claims eight rebels killed in aceh +654,reynolds urged to apologise for indigenous comments +655,teams primed for closest f1 season in years +656,man faces court after wa search +657,north sydney crows nest blackout ends +658,tensions rise as taiwan heads for election +659,twm suspends legal action against kalgoorlie +660,court hears appeal against gold mine native title +661,nats to choose capricornia candidate +662,new call to cull kangaroo is koalas +663,central desert gallery continues namitjiras legacy +664,mckenzie demands consistency from waratahs +665,australia to aid cyclone ravaged vanuatu +666,democrats want quarantine inquiry +667,second half storm flattens highlanders +668,wa coast braces for cyclone monty +669,fire threat set to continue +670,mp wants worker accommodation boost +671,council defends closed meetings +672,wa police corruption significant inquiry +673,court hears defence of belgiums alleged child +674,haitian rebels threaten to arrest pm +675,cricket australia gives green light to zimbabwe +676,union reps to meet over coal ship delays +677,pressure builds on home hero webber +678,six charged over drug trafficking +679,shiite leaders discuss iraqi constitutional impasse +680,pipeline may be answer to gold coast water needs +681,call for greater education funding equity +682,mp questions eligibility criteria for patient +683,vic public servants to get 3pc wage rise +684,fa resists temptation to shift boom cup semi +685,former vic drug squad boss to stand trial +686,two iraqi civilian employees shot dead +687,us soldier dies of wounds from bomb attack +688,cancer council claims support for smoking ban +689,council passes developer payments plan +690,rogers ruled out of stormers clash +691,us boosts train security after madrid bombings +692,myers vows crackdown as haiti tensions rise +693,allenby fourth in florida +694,iraq governing council divided over un role +695,councils sacked after damning reports +696,legislation may delay council elections +697,hitler returns to the heart of berlin in wax +698,magne returns for france against scotland +699,reds turn to leeds to plug fly half gap +700,residents air plans to curb bargara vandalism +701,vendy rejects call to vacate mayoral spot +702,blind dating by bluetooth the future of romance +703,coal miner looks to boost exports +704,more than pride at stake as rome rivals square up +705,un urges russia to save climate plan +706,roads reopen as kosovo returns to calm +707,downer to ask for clemency for condemned australian +708,date set for pacific island forum +709,religious leaders speak out over yassin killing +710,canberra sydney trains on track for may +711,govt says reef protection scheme just months away +712,study discounts abortion breast cancer link +713,close results tipped in qld local govt elections +714,hazardous waste collection underway +715,nsw tallies local government ballots +716,palestinian killed in west bank +717,business group speaks out over anzac day trading +718,man in hospital after midnight bashing by three +719,murali reported for chucking doosra +720,wa govt committed to health overhaul +721,new ausbulk chairman looks to the future +722,police quiz bulldogs again +723,train safety system starts despite concerns +724,airline sued for not warning of alcohol +725,aussie sailor stranded off nz coast +726,new name for merged councils +727,public face tougher water restrictions +728,court considers atsic chief clarks case +729,democrats highlight south east phone faults +730,report highlights rescue chopper cost concerns +731,underworld pays tribute to slain crime figure +732,us dollar steady after overnight roller coaster +733,councils show leadership in hospital bid +734,blues overcome slow start to down cats +735,bonded medical students begin university +736,govts stance on aust troops in iraq tripe former +737,late double act preserves celtics home run +738,sri lanka set for hung parliament +739,blue green algae still present in river +740,maguire claims mini budget will be bad news for +741,tugun set to become election issue +742,health service seeks to minimise impact of savings +743,more assistance needed in iraq democrats say +744,appeal overturns lloyd suspension +745,dentists renew soft drink warning +746,optus telstra reach agreement over ad campaign +747,sri lanka name three uncapped players for zimbabwe +748,anglers out to hook 33k fishing prize +749,cops want me dead says underworld figure +750,highlanders raging over spl snub +751,police say distress beacon may have been a prank +752,cash call for flinders is museum +753,blessed day for south coast fishing fleet +754,eight killed in renewed chechen violence +755,motorcyclist dies in highway crash +756,police applaud good bevaviour on roads +757,primus sets sights on 2005 return +758,rio drug wars spark slum barrier call +759,mountain bike enthusiasts in stanthorpe for +760,volunteers bear brunt of weed battle inquiry told +761,global trends boost local economy rba +762,atsic commissioner will deny invitation +763,bloodstock prospects booming after yearling sales +764,export drive set to boost south west +765,southern health to review revenue strategy +766,weighty woes sees mcdonalds boost low fat offerings +767,chelsea football club owner named britains richest +768,hamas leaders killing blow to mid east peace downer +769,india begins voting marathon +770,arafat abandoned palestinian militants +771,indian arms smuggler rolls over +772,sony fine tunes mgm deal report +773,shortage makes shearers late +774,teen stabbed to death in melbourne +775,gravity measure leads astronomers to distant planet +776,pair refused bail on robbery charges +777,chinchilla laments drought snub +778,nzs hermit sheep gets a haircut +779,breakthrough in zimbabwe cricket race row +780,site of portuguese shipwreck to stay secret for +781,brumbies into super 12 semis +782,cowboys withstand eels fightback +783,cabrera sets the pace at rain delayed italian open +784,greens appeal for uniform cannabis laws +785,high tech facilities for robertson +786,lynch suspended fined after drink drive charge +787,saudi attack not iraq related ambassador +788,fears wage boost to hurt farm wine industries +789,james may be back for local showdown +790,spain frees three accused in madrid bombing +791,racing industry honours legend jockey +792,chemical exposure putting children at risk +793,jones an easy winner in jamaica +794,hawks staring down the barrel schwab +795,researchers wish for earthquakes +796,californian radical sentenced for bank death +797,expert rejects need for body armour for security +798,farmers urge budget funding for rural health +799,last minute offer averts nurses strike +800,marine reseachers to assess solomon islands +801,nt introduces online mapping program for mining +802,bunbury scores well in boom city study +803,israelis rally for gaza pullout +804,armed hold up traumatises takeaway workers +805,hornby the shock as origin teams named +806,man to face court over machete attack +807,olympic sports safe for now +808,wa not planning beach smoking ban +809,wage rise to eat into extra budget funding says +810,darwin hosts croc conference +811,opposition in control of naurus parliament +812,ponting leads australia to win +813,revamped david goes on show +814,council looks to increase rates +815,coastal weed spraying to hinder national park +816,dutch date for australia india and pakistan +817,refugee advocate facing child porn charges +818,young males write most net viruses expert +819,man dies in backyard car mishap +820,rba figures show credit boom +821,socceroos face changes for tahiti clash +822,cipollini to ride tour de france +823,aust pushes for expanded marine protection +824,funds dry up for business centres +825,germany stunned by hungary dutch slump to ireland +826,reports of superbug doubtful +827,sharon compromises on gaza pullout +828,henry takes the knife to all blacks pack +829,tas new settlers mostly from nsw +830,big guns in final us open preparations +831,farm group hopes for water sharing agreement +832,police may quiz journalist over gangland story +833,man attacked women in apartment court hears +834,chinese cops unhealthy shoddy +835,tonga appoints liquidator for airline +836,aceh rebels to fight on despite leaders arrest +837,hospital bed shortages reach new low +838,mp questions school support staff pay rises +839,nine killed in west iraq blast medic +840,quick blow dry too fast for cops +841,spanish judge charges 15 over 911 attacks +842,boaties try to herd whale from harbour +843,tighten military ties with tonga or china will ex +844,ullrich relinquishes tour of switzerland lead +845,five people missing in indonesian plane crash +846,mayor targets beach erosion +847,schumacher relives agony after brothers crash +848,strong interest in qld vegetation laws +849,mps warned to keep quiet in parliament +850,afls flawed genius forced into retirement +851,missing american tourist found +852,bush seeks nato support in iraq +853,montgomery admitted hgh use reports +854,wanted australian found dead in thai prison cell +855,wimbledon officials to review umpire error +856,ralf to make french gp decision next week +857,health area mergers not a done deal +858,alleged killer of aust journalist to soon face +859,councillor laments saleyards decision +860,redfern police consider industrial action +861,vasseurs tour ban stands armstrong awaits book +862,lions welcome back lynch +863,praise for wa rock art decision +864,cycling australia angered by allegations +865,irrigators want river water ban lifted +866,chamberlain unconvinced by new claims +867,fresh bird flu outbreak in china +868,saddams nephew arrested iraqi minister +869,telstra acknowledges room for improvement +870,former baath official killed by bomb +871,training boost to help geraldton doctors +872,fed govt still negotiating ravensthorpe funds +873,labor objects to military photos in pms campaign +874,olympic torch sparks tensions in cyprus +875,act lauds new green high school +876,vic mp admits to drink driving +877,courtney love discharged from hospital +878,darling downs gets nod for new crcs +879,israel kills senior jihad leader +880,coledale calls for permanent police +881,greens call for gun control summit +882,vic rail network to face independent safety probe +883,wodonga awaits rail line decision +884,council warns against duck plants closure +885,govt analyses iraq intelligence report +886,british military helicopter crashes in iraq one +887,new minister reviewing croc safari plan +888,delegation aims to ground landing fees +889,italian team offers millar lifeline +890,video shows sept 11 hijackers breaching security +891,bush moves to limit 911 report damage +892,council talks up lake development benefits +893,future of ambulances arrives in act +894,indigenous youths graduate from training course +895,no proof to back allawi execution claims report +896,us targets militants in raid on iraqi city +897,former judge appointed as adelaide uni head +898,group to highlight small councils financial woes +899,twin ton vaughan puts england on top +900,weak dollar blamed for wholesale inflation hike +901,jetstar explains flight changes +902,nurses say no to ambulance crew plan +903,asa to begin assessing bids for revamped league +904,beattie urges labor to approve fta +905,change of scenery for broncos +906,annan urges more aid for sudan +907,thorpe scolded over olympic drugs claims +908,ex chess champ fischer likely to appeal deportation +909,liverpool get go ahead for new stadium +910,chief minister promises steady government +911,hk democracy supporters call for talks with beijing +912,ogrady sprints to hamburg victory +913,record number of entrants for fistful of films +914,season over for charman and ottens +915,rice defends terrorism alert +916,hicks caught in political web +917,pm stands firm on trade deal +918,zonta to replace da matta at toyota +919,producers warned against rejecting assurance scheme +920,indigenous festival to address job creation +921,uk rowers rescued after atlantic storm wrecks boat +922,tamworth council loses election costs appeal +923,dentist sentenced for luring child over internet +924,indigenous art award winner to be announced +925,prawn fishers to lobby for compo +926,sex charges highlight need for workplace education +927,aussies slam athens road race timing +928,telstra considers boosting mobile phone coverage mp +929,federal minister calls for ring road work +930,group criticises paedophile identifying letter drop +931,tent embassy fire suspicious +932,bhp reports record profit +933,nats renew attack on beattie govt over power +934,striking power station workers ordered back to work +935,hawke into 50m semis hoogie and popov out +936,last minute fta changes worry us +937,man faces online stalking charges +938,stunt pilots to snag stardust for nasa +939,drivers tipped to feel higher petrol prices +940,orica to expand gladstone plant +941,police officer injured in glass attack +942,charges expected over robinvale brawl +943,koreans yet to file gold medal appeal +944,paramedics highlight staffing woes +945,farmer to face trial over ekka syringe +946,trio charged over rifle theft +947,compo cap brings hardship lawyer +948,former liberal premier farewelled +949,james packer to chair burswood board +950,okane finding leaves pm looking for answers +951,helm snatches diving silver +952,sa to introduce hooning laws +953,uk conservative leader accuses bush of protecting +954,al qaeda taliban claim responsibility for kabul +955,no immediate plan to dam rivers +956,teachers to strike after students escape expulsion +957,bracks welcomes labors vic roads promise +958,winemakers welcome tax relief +959,woodwards resignation leaves england in turmoil +960,concerns aired over big rate bill rises +961,crop forecast good for south east +962,govt running scare campaign crean says +963,stamp duty cuts behind first home jump ripper +964,latham uses fathers day to focus on families +965,indonesian court rejects bashir appeal +966,rauhihi set to feature in canterbury clash +967,video shows first hours of school siege +968,gallop talks up dental waiting lists plan +969,material change to towns plastic bag policy +970,panthers hold off dragons +971,thrilling panthers hold off dragons +972,barrichello claims fastest ever pole +973,groves finds expansion easy as abc +974,night curfews can save drivers lives expert +975,n korea says explosion was controlled demolition +976,govt urged to drop riverland health plan +977,graziers air drought concerns +978,ponting fires double jibe at icc after us debacle +979,all known australians accounted for in iraq +980,bomb part drives brit to distraction +981,liberals to pursue practical reconciliation +982,mp to push for more noosa plan consultation +983,protesters storm british parliament +984,rainfall forecast suggests dry future for perth +985,territory art on display in supreme court +986,manilla gets govt agronomy pledge +987,latham rejects attack on economic credentials +988,latham requested branch stack candidate +989,democrats want school voluntary fees abolished +990,man to stand trial over fatal spearing +991,work underway on underwater observatory fix +992,australian arrested in bali drug bust +993,hobart waterfront traders air development concerns +994,iraq mortar explosions wound two +995,seagrass conference to focus on conservation +996,british envoys head to baghdad +997,date change for rate rise forum +998,gold coast mayor to boycott indy +999,ama seeks national drinking water policy +1000,federal court to trial gold coast sittings +1001,govt asked to explain nuclear waste dump plan +1002,new development looks to water sustainability +1003,lehmann named gillys deputy +1004,sydney men hospitalised with gunshot wounds +1005,building approvals slump to 3 year low +1006,union warns customs cuts threaten bag checks +1007,single puff damages smokers dna +1008,conference covers womens issues +1009,larsson fires barca top as real collapse +1010,new tamworth council set to select mayor +1011,another car seized under anti hoon laws +1012,blaze sweeps through huge property +1013,labor says howard phone messages unauthorised +1014,cambodian king threatens to quit +1015,clarke makes dazzling debut +1016,gas plan opponents unlikely to change site +1017,pair refused bail over sydney girls death +1018,hewitt out sharapova wins in japan +1019,hollywood appeals against internet file sharing +1020,healthy living key to fertility say experts +1021,little taibu reveals big ambition +1022,bulls eye first innings points +1023,large turnout for act pre polling +1024,visitors urged not to be bunnies or face big fine +1025,funds boost for disability scheme +1026,riverina towns clean up at awards +1027,artificial heart wins us approval +1028,outrage over release of teen rapists +1029,button barred from going to williams +1030,eu may be without executive over buttiglione row +1031,man detained after stabbing +1032,govt denies cruise facilities inadequate +1033,juvenile detention centre manager stood down +1034,surfers gets tough on butts +1035,mackay cracks down on water use +1036,woodgate to have sewerage by august +1037,gunns considers time frame for pulp mill plan +1038,iraqi civilian deaths put at 100000 +1039,mayor airs child safety resources concerns +1040,most released after chemical spill +1041,italys buttiglione resigns to ease eu crisis +1042,australias gm free status a polite fiction +1043,furore over fuhrer costume at school halloween +1044,plastered earns rest after derby win +1045,voges smashes record one day century +1046,bargara tourist centre opens today +1047,bush kerry in 48 hour race to election finish +1048,uk gives green light to embryo screening +1049,council looks to reopen lake +1050,fugees star campaigns for peace in haiti +1051,karzai wins afghan poll +1052,latest bin laden tape cheap propaganda says asio +1053,nsw to transfer detention centre responsibility +1054,rain helps ease water bans +1055,militants parade kidnapped truck drivers in video +1056,us iraqi troops prepare for fallujah assault +1057,bad weather forecast for cray seasons start +1058,smyth re shuffles frontbench +1059,talks avert virgin blue strike +1060,farmer groups angered by proposed landline cut +1061,mans suicide threat dangerous for all say police +1062,quake forum considers building methods +1063,long awaited woollen mills settlement contract to +1064,zarqawi calls for jihad as us attacks fallujah +1065,labor official admits campaign failed rates debate +1066,retiring sainz out of rally of australia +1067,roads to benefit from former shires assets +1068,bulls resist south australian fightback +1069,govt rules out f6 freeway toll +1070,microsoft search engine ramps up internet war +1071,no pay rises for railcorp executives +1072,hezbollah warns israel of drone attacks +1073,afghanistan hostage takers renew deadline +1074,govt asked to consider south east technical college +1075,lobster season beach price goes up +1076,sa scholarships to help young artists +1077,40 dead in nigerian cholera outbreak +1078,comments sought on biosolid storage facility trial +1079,liberal party could back qld merger +1080,police air station staffing worries +1081,street fight details emerge in murder trial +1082,qld police investigate two deaths in custody +1083,three killed in baghdad clashes +1084,un staff committed sex crimes in congo annan +1085,alcan gove begins recruitment drive +1086,anderson defends pre election marginal seat funds +1087,indonesians face court over illegal fishing +1088,missing boys found +1089,drivers urged to shop around for cheapest fuel +1090,two arrested over 16m drug bust +1091,study collates birds impact on crops +1092,howard says asian trade non aggression separate +1093,farmers unhappy with milk price cut +1094,soap opera to show on very small screen +1095,eu takes control of bosnia peacekeeping mission +1096,forgotten families emerge from jungle +1097,us delays start of jenkins new life +1098,ultrasounds found not to harm babies +1099,appleby breaks 70 to lead in sun city +1100,aid offered to parkes fire victims +1101,costello says state taxes must go +1102,pm defends public servant in kelly grant affair +1103,postman hoards 21255 letters +1104,toothless ioc lets cheats off the hook +1105,ukraine in turmoil as agreement crumbles +1106,funds sought for bus service trial +1107,govt rejects von einem prisoner sexual abuse claims +1108,dallaglio eager to lie down with lions +1109,rain helps boost local reservoirs +1110,democrats weigh into university dispute +1111,cpsu leader tipped to head tas union movement +1112,tafe teachers students get results +1113,beckham nativity scene attacked in london +1114,chinatown site decision likely to be deferred +1115,govt reconsiders telstra foreign ownership cap +1116,govt sacks embattled health fund board +1117,howard defends regional funding scheme +1118,ministers to inspect afps work in png +1119,schools join healthy living scheme +1120,agencies appeal for more philippines flood aid +1121,fa launches inquiry into cech comments +1122,report pinpoints merger mistakes +1123,council to assess housing shopping centre plans +1124,harper named sydney fc chief +1125,baxter detainees end rooftop protest +1126,scientists find reason for declining seal +1127,blues take first innings points +1128,hunt for killer shark continues +1129,three iraqi election staff killed +1130,shire president to contest wa election +1131,soccer side reaches youth league goal +1132,waca seeking govt bail out +1133,victorias population reaches 5 million +1134,vic pulp mill wont affect gunns analyst says +1135,police target country hot spots +1136,mayor happy with blackall housing market +1137,death toll rises after quake tsunamis strike +1138,bin laden calls for iraqi poll boycott +1139,in their own words +1140,police put brakes on young speedsters +1141,hospital buy back pleases nurses +1142,timeline 100 years of deadly tsunamis +1143,shire gives childcare centre new lease on life +1144,us shares take a dip +1145,jenner backs twin spin scenario +1146,oil slips but averages higher in 2004 +1147,property price boom reaches rural properties +1148,otways funds to ease logging phase out +1149,frustration grows as aid efforts ramp up +1150,dna samples taken from missing victorians homes +1151,asic bans canberra insurance agent +1152,dead jackeroos father calls for farm safety +1153,danish academic slams tsunami warning system plans +1154,man charged over service station hold up +1155,tiny organisms blamed for fish kill +1156,10 killed in italian train crash +1157,extra costs slowing housing construction hia +1158,atapattu pulls out of tsunami fundraiser +1159,police appeal for info on missing tourist +1160,scud withdraws from sydney international +1161,fire causes 120000 damage outside perth +1162,crews fight two hobart blazes +1163,israeli parliament approves new governing coalition +1164,mt stromlo assists in space blob research +1165,state of dental health in western nsw medieval +1166,high tech surveillance for mt gambier prison +1167,hubble helps astronomers find star hatchery +1168,kalgoorlie tourist centre to be state of the art +1169,agassi on course for aust open +1170,rangers triumph over ais +1171,community walkathon boosts tsunami aid +1172,nordic pms urge tsunami warning probe +1173,wagga looks to special court opening +1174,tas wa may play australia day twenty20 match +1175,un unaware of aceh terrorist threat +1176,old blotchys fame spotted by gum +1177,aussie healey bows out of open +1178,australia a challenge in movie piracy fight +1179,charlottes web comes to australia +1180,capertee man dies in car accident +1181,roulettes crash in mid air +1182,thousands comment on se qld plan +1183,two hospitalised after nightclub violence +1184,hewitt primed for nadal showdown +1185,netanyahu rejects palestinian truce calls +1186,philly break super bowl drought +1187,gallop govt coughs up for sacked miners +1188,meetings highlight student retention fears +1189,surfers want surf break craypot ban +1190,greens seek briefing on hospital staffing crisis +1191,world xi dismissed for 81 +1192,authorities closer to finding abandoned boys family +1193,funds to boost flood damaged roads +1194,lara leads west indies to maiden victory +1195,fears hamas win could influence abbas policy +1196,rain frustrates struggling bushrangers +1197,broadway magic hard to quantify +1198,pakistan declares upper hand for crunch match +1199,qld medical team arrives home from indonesia +1200,victoria quiet on child killers interrogation +1201,economic news sends jitters through markets +1202,govt urged to start on alstonville bypass +1203,williams murder plot witness turned informer for +1204,woomera detainee escapes conviction +1205,corridor dust raises health fears +1206,farina expecting strong south africa +1207,indonesian pair to face illegal fishing charges +1208,samba schools dance off in rios final parade +1209,canal success depends on damming fitzroy river +1210,govt to assess operating theatre reopening +1211,scissor sisters steal the show at brits +1212,corby urges judge to view airport video footage +1213,federal funds let indigenous students go digital +1214,teacher among 11 arrested on child porn charges +1215,aceh indonesia peace talks headed for second round +1216,fears of collapse as fire ravages huge madrid +1217,authorities investigate dead fish in lachlan river +1218,fiat gm in usd 2 billion split +1219,govt defies kyoto ratification calls +1220,police pleased with justice precinct plans +1221,prosecution threat not deterring council safety +1222,us envoy wants north korea back at nuclear talks +1223,shiite firms as iraqi pm +1224,us man pleads innocent over la train crash deaths +1225,british man hopes to fry his way into record books +1226,bulky goods land rezoning nears approval +1227,labor declines habib offer to appear before senate +1228,lee puts hand up for test berth +1229,moseley pilkadaris tied for second in malaysia +1230,pyrmont development disaster claims rejected +1231,aust takes senior command post in iraq +1232,asian investments eats into axas profits +1233,fallen giants leeds fight amongst themselves +1234,hospital fills anaesthetist positions +1235,journalists leave zimbabwe after police probe +1236,alleged palm island rioter applies for bail +1237,air nz earnings dive on competition +1238,hollywood actor slater to divorce +1239,french company eyes olympic dam +1240,hydro chief asked to join ntd +1241,woman pleads guilty to rape +1242,webb breathing down miyazatos neck +1243,pacemen return to india squad +1244,cbh resources profit on the rise +1245,planning paper focuses on population change +1246,qld nationals liberals lock horns over seats +1247,two die in darling downs road accidents +1248,wa barrister to be south australias dpp +1249,french journalist shown making video plea for help +1250,lehmann ruled out of nz tour +1251,police probe bikie assault claims +1252,indigenous leaders lament clarks resignation +1253,beazley to lobby nationals on telstra sale +1254,ferrari shuts minardi out red bulls fastest +1255,forestry timber management students graduate +1256,jol going nowhere insist spurs +1257,police steer clear of macquarie fields funeral +1258,prince charles dines with howard beazley +1259,jackson accusers sister admits lie +1260,ross defends 100m title +1261,wool fans blow in for bothwell spin in +1262,hk leader denies resignation reports +1263,search continues for sri lankan tsunami victims +1264,mayor fears security overhaul may kill regional +1265,bhp trumps xstrata with wmc resources offer +1266,duo plead guilty to possessing child pornography +1267,fears move will cut lifesaving contest numbers +1268,minister confident of meeting calder duplication +1269,paedophile claims making life difficult for mps +1270,iraq police find 41 bodies minister attacked +1271,tourist dies in goulburn valley road smash +1272,blues win preseason cup +1273,motorcyclist found dead on oval +1274,cult leader to face chilean court over sex abuse +1275,gas shortage blamed for job losses +1276,no reports of damage as earthquake hits nz +1277,ex ironwoman champ opposes lifesaving titles move +1278,police fear for missing man +1279,horse riding trail plan surprises mp +1280,double murder suspect remanded in custody +1281,mills upstages favourites in 100m final +1282,vampire bats nippy runners show researchers +1283,jesse kelly refused bail +1284,70 miners trapped after explosion +1285,disability group embraces taxi service review +1286,labor wants lightfoot probe +1287,chinese mine explosion toll doubles +1288,governor talks up ilfracombe efforts +1289,international legal forum to debate terrorism +1290,baseball drugs loophole to be closed +1291,chirac allies face corruption trial +1292,old boy to land black hawk at school +1293,rain ruins australias victory hopes in nz +1294,williamss scottish future hanging in the balance +1295,tas to hand land to aboriginal communities +1296,wine industry questions inquiry value +1297,chelsea hit back over unprecedented attack +1298,holiday drivers urged to take care +1299,weed challenges dna rulebook +1300,customs keeps watch for illegal fishing boat +1301,fatal train crash report recommends warning changes +1302,monacos prince rainier fighting for life +1303,former british pm james callaghan dies aged 92 +1304,bell bay warned of mill eyesore +1305,report highlights truck industry owner drivers woes +1306,wa murderer escapes minimum security jail +1307,courtney love to play deep throat star +1308,earth has suffered irreversible changes study finds +1309,entsch awaits election probe outcome +1310,alleged abduction assault under investigation +1311,police find knife used in road rage stabbing +1312,hinds chanderpaul tons put windies on top +1313,public reminded of smoking crackdown +1314,qld to consider future olympic bid +1315,crows down magpies +1316,eu warned on lifting china arms embargo +1317,qld cotton gins re open +1318,rau told guards her name inmate reveals +1319,charges against solicitor dropped +1320,grudging waratahs let cannon go +1321,orange council plans new suburb +1322,foley wants loxton better informed about police +1323,public to join council conduct committee +1324,devil disease transmission under scrutiny +1325,indonesia reduces possible tsunami death toll +1326,police suspect overnight attacks linked +1327,qantas urged to show restraint on fuel levy +1328,reiq welcomes interest rates decision +1329,english ref suspended over online racing syndicate +1330,funds shortage leads to darfur food cutbacks +1331,opposition criticises ambulance response time +1332,aussie jinx continues at masters +1333,paedophilia probe to continue despite retraction +1334,policeman cleared of rape charge +1335,child safety workers begin industrial campaign +1336,utility promises better regional supply +1337,raaf in joint exercise with indonesia +1338,tax office struggles to manage super surcharge +1339,fruit growers to reap benefits of visa changes +1340,cowboys too good for tigers in townsville +1341,police question convicted killer about missing teen +1342,mid north coast records less crime +1343,croc jerky fills export hole +1344,todd cleared of violent conduct +1345,cowboys take their chances to beat panthers +1346,customs officers praise after armed stand off +1347,iraqi police detain reuters cameraman +1348,tourist train plan sparks debate +1349,call for upper house changes to boost regional mps +1350,court convicts six more over fiji coup +1351,police follow new leads in halvagis murder +1352,smith quits representative duties +1353,libraries make stand against google +1354,kids were going to the foreign debt museum +1355,cultures blend in tiwi islands ceremony +1356,dockers under fire for caffeine admission +1357,farmers say completion of fencing repairs years +1358,grapple tackle a non issue bellamy +1359,north coast hospitals get beds boost +1360,teens questioned over long pursuit +1361,tahs unchanged for state of the union clash +1362,four killed in baghdad car bombing +1363,skaife pips ambrose in perth +1364,council pleased with bore water flow +1365,iraqi police vent anger at us after car bombings +1366,mccains to launch tas produce campaign +1367,groups seek compo as airstrip reopens +1368,national equine centre jumps big hurdle +1369,police probe fatal hit run +1370,raa to push for more regional road funding +1371,vote pushes canadian govt toward collapse +1372,woods fate unknown +1373,afghan protests over koran desecration spread +1374,gaze ends stellar career +1375,nrl rules out salary cap changes to keep anasta +1376,study backs early prostate cancer surgery +1377,boonah hospital ordeal over +1378,dragons muscle past panthers +1379,glazer tightens grip on man u fans fight on +1380,qantas to stand down more baggage handlers +1381,opening ceremony in arafura games +1382,baxter staff fight for pay boost +1383,sea change gathering calls for national planning +1384,siev x trial begins +1385,israel vows to get tough with gaza militants +1386,khan fined as europeans gets tough on slow play +1387,cuban pro democracy conference opens +1388,labor criticises gg residences upgrade +1389,search continues for missing woman +1390,broken hill planning new pool +1391,illawarra shares in budget funding +1392,stolen generation still waiting for apology +1393,labor questions palmer comrie business links +1394,last gasp origin win for maroons +1395,passive smoking affects ivf success rates study +1396,us halts body recovery in north korea +1397,14 die after heavy rains in india +1398,bracks opens ararat hospital +1399,netball double headers highlight interstate rivalry +1400,nsw waiting on hodge decision +1401,justin hodges +1402,unions refuse to speculate on strikes +1403,chinese couple australian children face deportation +1404,coal rail project on schedule +1405,iran uncovers more of its winemaking past +1406,12m study to focus on live exports +1407,freeman says athletics should learn from cricket +1408,greens oppose mps pay rise +1409,pga sees benefits in drought package +1410,customs report coincided with security upgrade +1411,digital tv policy too restricting abc chairman +1412,lobby group opposes changes to coal mine approvals +1413,mayor up beat despite plant closures +1414,qantas airbuses delayed +1415,skills shortage hits mining industry +1416,tweed council administrators to hold first meeting +1417,160 whales stranded near perth +1418,aussie swimmers ready for world champs +1419,council to hear concerns over proposed subdivision +1420,truss backs anti whaling petitions +1421,police re launch appeal over vampire murder +1422,sydney airport demands cooperative approach to +1423,architects blast act planning council +1424,police investigate brisbane shooting +1425,shoppers asked about darwin mall revamp +1426,brian smith and john lang +1427,knights outclassed but joey stands tall +1428,us senator urges guantanamo shutdown +1429,budget delivers more north west infrastructure +1430,court told of listening devices in drug arrest +1431,children feared dead after house fire +1432,gun shearer takes aim at poor digs +1433,drivers urged to take breaks over long weekend +1434,green light for 2b gas project expansion +1435,no concessions made for hostage release afghan govt +1436,police unearth drug trafficking syndicate +1437,security fuel costs push ferry fares for cars +1438,patels patients urge compensation law changes +1439,netballers take game to remote nt community +1440,new lead emerges on missing sydney girl +1441,storms bring rain aplenty to south east wa +1442,batemans bay foreshore plans spark mixed reaction +1443,devonport to become home base for ports corp +1444,mps told mater rebuilding to begin this year +1445,pm leaves detention deal door open +1446,costly penalty decision angers socceroos +1447,world bank boss urges fairer trade system +1448,act man dies in highway crash +1449,adopted grandpa does a runner +1450,swifts ease past phoenix +1451,melbourne to host agricultural biotechnology +1452,workers rights to feature in election say unions +1453,brumbies lose fava to force +1454,maternity group says lack of services puts women +1455,n korea would give up missiles for us recognition +1456,independent assessors may solve development +1457,nz apple growers to boycott aust produce +1458,students not expecting vsu legislation changes +1459,cloud seeding provides hope for more snow +1460,costello promises more pressure on states over +1461,new corby legal team head urges less public comment +1462,liberal mp backs calls for four year parliamentary +1463,argentina down mexico on penalties +1464,diana had fling with jfk jr book +1465,qc says corby appeal still winnable +1466,costello calls for utilities regulators +1467,cayless leaves roosters for st helens +1468,study links smoking to tb infection +1469,telstra competitor service often inferior accc +1470,french gear up for one last effort against +1471,chanderpaul gets late call up into world squad +1472,perry shire joins drought declared list +1473,roddick gets chance for revenge against federer +1474,govt defends downscaling random breath testing +1475,corby pleads for help +1476,liverpool turn down chelsea bid for gerrard +1477,researchers spotlight drought education link +1478,cobargo residents call for a mail delivery +1479,engineer wins fellowship for water supply studies +1480,mum accused of killing baby permitted visit with +1481,chinese diplomat granted visa +1482,eels storm back to sink dragons +1483,mahan leads as wie scrambles at illinois leg of us +1484,actress zsa zsa gabor suffers stroke +1485,aspinall named new primate of anglican church +1486,london police vow to find bombing terrorists +1487,mcewen levels score with rival boonen +1488,stanhope welcomes organ donor rise +1489,aust banks get positive report card +1490,controversial pulp mill considered vital to +1491,leskie inquest to hear new evidence +1492,the eagles are beatable says matthews +1493,violent incidents mar bendigo weekend +1494,political stoush erupts over real estate changes +1495,cleanskin bomb suspects worry british police +1496,discovery mission in final countdown +1497,extortion bid costs chocolate maker 10m +1498,greedy centrelink worker jailed for fraud +1499,public reminded to be alert not alarmed +1500,aust music icons inducted into hall of fame +1501,councils air regional phone service fears +1502,guide dogs group backs footpath move +1503,man to be freed after serving time for child porn +1504,staffing boost for hospitals critical care unit +1505,wright phillips on his way to chelsea +1506,accused war criminal begins extradition fight +1507,free qasim to receive ongoing treatment +1508,great lakes to tighten belt as 15pc rate rise +1509,peace monitors prepare for aceh deployment +1510,plantation forestry rules under review +1511,typhoon haitang kills 1 injures dozens +1512,concerned residents alert police to zigzag drink +1513,labor wants vanstone sacked over hwang case +1514,group failed to back up complaints immigration +1515,vanstone retracts comments in detained kids case +1516,police find missing ipswich womans body +1517,councils face increased election costs +1518,meander river dam construction expected to start +1519,sheep vaccine set for field trials +1520,mda chief takes criticism on board +1521,prisoner comes forward in corby case +1522,smoking tipped to disappear by 2030 +1523,mavericks face grand final last chance +1524,sa nationals demand tougher telstra sale +1525,reform group rejects graincorp share offer +1526,spurs complete davids signing +1527,competition hits optus profit +1528,education dept investigates girls lock in +1529,former judge backs repatriating hicks +1530,teen killed while sleeping on road +1531,farmer welcomes mining lease decision +1532,gold coast shark nets under review +1533,govt announces 50m gippsland gas extension +1534,islamic group blasts british ban +1535,kojonup council up beat about finances +1536,parrot zone stops barmah logging +1537,planning under way for iconic desert knowledge +1538,sleeping judge ruled unfit to sit on bench +1539,camp dog cull postponed +1540,nsw opposition calls for central coast water +1541,police privacy breach regrettable minister says +1542,howard plans meeting with muslim clerics +1543,kylie minogues plight boosts cancer screenings +1544,mccains to work with farmers to cut potato costs +1545,water desalinisation plant back on the agenda +1546,schools caught rorting exam system could lose +1547,new pulp mill design unveiled +1548,indonesia to cut jail terms for bali bombers +1549,hamas vows continued resistance after gaza pullout +1550,indonesia aceh rebels sign truce +1551,aceh rebels take leap of faith +1552,kidnapped iraqi canadian found dead +1553,power workers to discuss disciplinary penalties +1554,premier ponders scrapping leaky police file +1555,authorities investigate croc attack +1556,ayres guilty of sour grapes thompson +1557,cadaver exhibit opens despite ban bid +1558,theft has big impact on employment firm +1559,states playing politics on ir leave claims +1560,england women win one day thriller +1561,iraq constitution deadline looms as charter +1562,aussie held over large quantity of drugs downer +1563,trescothick exploits australias bowling woes +1564,esperance group urged to join tuna committee +1565,heritage body deciding dromes fate +1566,residents show support for new water scheme +1567,tas approves exploration licences +1568,englands women win back ashes +1569,balgo helps kalumburu store reopen +1570,farmers unclear on ongoing drought aid +1571,loose nuclear material may be used in dirty bomb +1572,power boost for north west +1573,codans sale to terrorists a lesson for all downer +1574,telstra admits monitoring staff +1575,baghdad stampede leaves hundreds dead +1576,floods boost hydro power storages +1577,mid west pollies seek uranium mining talks +1578,bush tells new orleans i wont forget +1579,sea eagles secure eighth spot +1580,45 drown in illegal crossing to yemen +1581,bomb kills 2 british soldiers in iraq +1582,boy charged with manslaughter over pedestrians +1583,racehorse dna mapping to guide buyers +1584,sea king inquiry finds maintenance fault +1585,superman to boost gold coast economy +1586,broncos accused of grapple tackle paranoia +1587,king white clash a freak of footy says sanderson +1588,labor turns up telstra heat +1589,sulphur dioxide emissions investigated +1590,canola field trials safe from ge contamination +1591,afc ratifies australias entry into asia +1592,rising petrol prices sound death knell for road +1593,opposition pours cold water on rainwater tank plan +1594,police continue search for missing woman +1595,professional criminal jailed over antiques scam +1596,scepticism greets mineral sands mining application +1597,brand highway to get overtaking lanes sooner than +1598,bush wraps up hurricane tour +1599,cunningham questions patients train transfer alone +1600,nt calls for more non sniffable petrol funds +1601,storms take toll on towong shire infrastructure +1602,tasmanians to trial broadband over power lines +1603,bolton ready to turn tables on saints +1604,seven detained after security raids in britain +1605,jail changes aim to avoid prison rape repeat +1606,rapist who filmed attack on mobile phone jailed +1607,sharks out for counterblow in grand final clash +1608,tsunami aid worker seeks kimberley support +1609,beirut car bomb scene like hell +1610,bushs nephew arrested in texas +1611,polling booths open in nz +1612,one dead after ringwood east shooting +1613,alp under fire as latham book released +1614,new orleans returns halted as storm looms +1615,water supplies to be fluoridated +1616,researchers about to undertake large nationwide +1617,ukrainian parliament rejects nominee for pm +1618,bureau predicts average rainfalls for summer +1619,iemma backs new airport security measures +1620,hia predicts industry consolidation +1621,shoalhaven contributes to bushfire recommendations +1622,minister tells councillors to stop behaving like +1623,sydney squadron wraps up kimberley aid program +1624,us islamic scholar preferred as imam trainer +1625,australian wool trade targeted by animal rights +1626,mourinho in dig at liverpool +1627,residents urged to step up protection against +1628,the alice gets axed +1629,thirst rises along with temperature +1630,blaze damages church community centre +1631,authorities conduct saleyards counter terrorism +1632,internet more robust than thought +1633,canadian minister grilled on pizza expenses +1634,fears finance woes affecting health service +1635,girl tells of escape from crocs jaws +1636,vff upset over lack of water changes consultation +1637,wall st volatility sparks market dive +1638,workplace privacy laws overhaul recommended +1639,lowndes leads bathurst practice +1640,stanhope unfazed by report criticism +1641,al qaeda posts job ads on internet +1642,australia close on clean sweep +1643,quake killed a generation +1644,hollywood movies misfire with core audience +1645,blatter attacks wild west spending binge +1646,divers join search for missing angler +1647,portugal honours annan for e timor role +1648,vic sets cooling off period for late abortions +1649,airports get security boost funding +1650,govt promotes uni nurse practitioner scholarships +1651,premier defends port botany expansion +1652,telstra rejects local govt impost claims +1653,at least 20 missing after boat capsizes in nepal +1654,scott set to play australian open +1655,anderson urges action to save farmers grain crop +1656,farmers defend chemical company over stock death +1657,saddams trial adjourned until november +1658,act liberals squabble continues +1659,curtain call for opera favourite +1660,sa waits for feedback on terrorism exercise +1661,springborg questions kalpower title transfer +1662,orthodontist attempts sydney to hobart record +1663,security issues to top pacific leaders meeting +1664,investigation continues into fatal air crash +1665,polish right victorious in presidential election +1666,australia pledges 8m to fight pacific bird flu +1667,false memories explain alien abductions study +1668,public to comment on gas fired power station +1669,residents want bushfire inquiry findings handed +1670,wa arts groups get government grants +1671,police complex provides improved security mcginty +1672,society says illegal fishing response not enough +1673,croc breeders hopeful of bumper year +1674,ex health service board member stands by hospital +1675,high hopes for new crime fighting plan +1676,hurricane relief efforts criticised +1677,benicio adds derby to freedmans win list +1678,federal govt hiding illegal fishing threat +1679,amnestys death row campaign draws record response +1680,redfern centre to give youth a future +1681,federal funding to see power station town become +1682,police probe perth ram raids +1683,sa man to face tas court over suspected murder +1684,pilbara towns named tidy towns finalists +1685,at least 9 killed in kashmir blast reports +1686,house intruder killed during break in +1687,kyneton cup expected to draw good crowd +1688,terrorist threat timing a coincidence pm +1689,fears for future of grey nurse sharks +1690,us told to repay iraq for shoddy work reports +1691,ecstasy bulk buyers warned of jail terms +1692,indigenous owners stage dump protest in sydney +1693,nz wine imports on the rise +1694,watson sidelined for two months +1695,police rescue family stranded in derwent +1696,protesters boo pm at charity dinner +1697,tas govt remains committed to struggling tt line +1698,news corp reports 594m loss +1699,pentagon considers hicks trial future +1700,sa parliament to break for 4 months +1701,jordanian king pledges to go after zarqawi +1702,feeling cold linked to developing a cold +1703,goulburn region drought declaration lifted +1704,harassed leaders renew ir challenge threat +1705,support for port augusta dry zone declaration +1706,esso workers meet union over wage talks +1707,childcare provider takes on us +1708,crowe holmes a court table rabbitohs bid +1709,power plant plan sparks questions +1710,push continues for anaesthetist for young +1711,fuel leak disrupts la bound flight +1712,rangers trounce ais +1713,fairfax chief pushes ahead with company changes +1714,strong quake hits indonesia +1715,people smuggler appeals nine year sentence +1716,police question driver over death on remote road +1717,register to include would be sex offenders +1718,man charged over sydney newsagents murder +1719,nationals ir concerns easily fixed vaile +1720,babys death prompts push for emergency department +1721,landslide closes cunningham highway +1722,police praise better behaved schoolies +1723,accused baxter centre arsonists held at secret +1724,act govt urged to get tougher on car thieves +1725,states urged to back truck rego rise compromise +1726,adelaide townsville post wnbl wins +1727,aussies chase lara inspired total +1728,liberals lose nsw by election +1729,wa labor reaffirms uranium mining ban +1730,man charged over hotel attack +1731,australia nears crushing series sweep +1732,jones keen to keep wallaby job +1733,kidnapped activists shown in al jazeera broadcast +1734,original shadows drummer dies at 62 +1735,packer consulted on onetel moves before +1736,growing uk concern over us torture flights +1737,lawyers refused permission to witness hanging +1738,unions on side with work force restructure +1739,gathering promotes multiculturalism benefits +1740,macklin makes ir promise +1741,us denies sending suspects abroad for torture +1742,hend misses out on pga tour card +1743,man linked to baggage handler jailed for +1744,senators urged to oppose welfare package +1745,apple scab worries wa growers +1746,aussies salvage dramatic win +1747,man to be sentenced after pleading guilty to drugs +1748,broadbeach service station robbed +1749,supermax transfers not political says commissioner +1750,coast braces for strong holiday tourism +1751,listeria cases prompt call for menu change +1752,nsw hospitals unsafe understaffed +1753,former hih chairman faces criminal charges +1754,mayor highlights native title claims progress +1755,consultant urges council to reject outrigger +1756,cyclists return to road after german accident +1757,cane farm sales on the rise +1758,little britain named top uk comedy show +1759,police aim to cut gladstone assaults +1760,nt teenagers on their way to nida +1761,report shows high cost of property crime +1762,beachgoers avoid potential riot areas +1763,dravid doubtful for third sri lanka test +1764,new measures to halt wetlands decline +1765,2000 police lock down sydney beaches +1766,adelaide crow fined after car crash +1767,competition lifts dairy prices +1768,couple jailed over babys kidnapping +1769,tweed to get regional sports plan +1770,at least 102000 killed in e timor under indonesian +1771,deal wont stop illegal fishing +1772,intelligent design theory lessons unconstitutional +1773,afghan coalition forces clash with militants +1774,study shows support for community bank plan +1775,broncos signal booze crackdown +1776,public warned to protect against melioidosis +1777,scully rejects police resourcing claims +1778,england underestimated pakistan says imran +1779,us confirms monitoring private sites for nuclear +1780,sri lankan violence overshadows tsunami anniversary +1781,perfect start for 61st sydney to hobart +1782,brosque strikes back at sydney speculation +1783,nt revamps licences to fight fraud +1784,hopman cup qualifiers underway +1785,indigenous tourist trail planned +1786,port macquarie tourism defies nsw fall +1787,bushfires hit vic nsw +1788,islamic schools oppose student expulsion orders +1789,scu courses proving popular +1790,residents urged to clean up to avoid mosquito +1791,serbia montenegro keep hopman hopes alive +1792,fisheries confident court sentences send strong +1793,buchanan junior to debut for bulls +1794,japan remains hunter valleys biggest coal buyer +1795,police name gerroa drowning victim +1796,botha cited for throwing +1797,poker tournament kicks off in melbourne +1798,police appeal for help in girl assault case +1799,storms black out 40000 qld homes +1800,indonesia halts mudslide rescue efforts +1801,cyclone clare slams north west wa +1802,israeli pm sharon moves left side +1803,man burnt in house blaze +1804,no need for extra retail hours union +1805,states told to back fertiliser control +1806,coal seam gas search on +1807,mcewen wants age limit on games riders +1808,money no object for princes signature sheens +1809,sabbatini leads in hawaii wie folds +1810,tennant water woes wont force chlorination rethink +1811,us rules out iran military action +1812,younis leads pakistan charge +1813,taipans stop tigers streak +1814,former hih head williams loses ao +1815,poor driving skills contributing to regional road +1816,caboolture hospital could reopen within a week +1817,country music festival inquiries on the rise +1818,mandurah gunman eludes police +1819,rush yet to hear sentence request +1820,scientist set for vic governor post +1821,other industries accused of poaching training +1822,chile court strips pinochet immunity in rights case +1823,election win for iraqi shiites +1824,israeli court finds man guilty of sharon death +1825,vic towns remain under bushfire threat +1826,industry fears backlash amid japans us beef ban +1827,sri lanka thrash aussies +1828,wagga mans death not considered suspicious +1829,cpsu works with staff over departmental shake up +1830,federer battles past davydenko +1831,mp unhappy with outcome of quinn bribery probe +1832,fatah beats hamas in palestinian election exit +1833,single workout can lift mood in depressed patients +1834,pakistan coach defends flat wicket accusations +1835,pet iguana floods german apartment +1836,polish rescue teams abandon search for survivors +1837,industry to consider lobster pot exclusion device +1838,berri estates workers strike over pay +1839,rain respite looms for far north +1840,potato chip processor resumes work +1841,fishing party to address small debt +1842,mp attacks developer exemption decision +1843,abetz pushes for tougher illegal fishing deterrents +1844,rate fears push us stocks down +1845,aussies enjoy psychological edge +1846,development group seeks heritage overlay +1847,broken hill students return to school +1848,crews continue to fight tatong blaze +1849,diver rescued after three days at sea +1850,mitchell dismisses brumbies injury reports +1851,troubled nz knights appoint english head coach +1852,esperance to test emergency services +1853,se queensland councils looking to share water +1854,watch out for fisheries impersonators police warn +1855,wa teen to join international tennis tournament +1856,americans set games benchmark +1857,hamilton ban upheld by cas +1858,sonny bill succumbs to another injury +1859,telstra chief accused of snubbing senate inquiry +1860,mokbel trial witness a con man court told +1861,prisoner stabbing under investigation +1862,lecturer pleads guilty to stealing students money +1863,french actress named as new bond girl +1864,doubts cast over games regional security +1865,norwegian tourists injured in bus collision +1866,funds to go to mt magnet airport security boost +1867,marine park fishing restrictions could reduce jobs +1868,no sign of chopper crash survivors say police +1869,solar city group to proceed outside program +1870,horsham gym centre set to open by august +1871,arroyo declares state of emergency after coup +1872,resource stocks drag market down +1873,tiananmen square protester released from jail +1874,viduka sits out boro loss +1875,afghan prison riot enters second day +1876,smaller thicker and deeper signs of the times +1877,derby fire brigade seeks more volunteers +1878,hewitt advances in las vegas +1879,vanstone unveils immigration changes +1880,council reaffirms supermarket support +1881,new water restrictions for whitsundays +1882,guantanamo prisoner claims force feeding torture +1883,israelis set off firecrackers in church police +1884,space station set for 2010 completion +1885,commissioner seeks mandatory jail terms for police +1886,overcrowded emergency departments linked to +1887,sydney fc not worried about the break +1888,media stocks lift market +1889,earth in grip of mass extinction scientists +1890,18 bodies found on iraqi bus +1891,no one claims responsibility for india blasts +1892,games bosses defend media ban threat +1893,home lending down slightly +1894,professional surfer escapes jail +1895,melbourne welcomes prince edward +1896,games organisers give away tickets to fill seats +1897,morley good for the game cusack +1898,transplant recipient farewelled in brisbane +1899,man in stable condition after melbourne stabbing +1900,more sealing for silver city highway +1901,german dinosaur find ruffles feathers +1902,edington claims second gold of games +1903,28 killed as rebels target iraqi police +1904,trucking industry says rural qld wins in higher +1905,hope for more honeysuckle car parking +1906,national foods agrees to betta milk deal +1907,heroin smuggling ship sunk off nsw coast +1908,cosgrove begins cyclone clean up +1909,forster girl drowns in spa +1910,ghost ship sighted 17 days before interception +1911,ton to watson as bulls pile on the pain +1912,injured rogers wont rush return +1913,mp defends ir changes +1914,dept urged to crack down on violence towards net +1915,drive by shooting accused refused bail +1916,emergency services head to helicopter crash scene +1917,johns to celebrate milestone against warriors +1918,aussies eye test clean sweep +1919,hodgman takes charge of liberals +1920,closer am1 +1921,govt has picked nuclear dump site nt senator +1922,jayasuriya announces test cricket retirement +1923,schifcofske heroics sink panthers +1924,aust china sign uranium safeguards agreement +1925,protests continue as woolies opens doors +1926,businesses urged to adopt training focus +1927,evidence sufficient for wood extradition ruddock +1928,pilot dies in bankstown airport crash +1929,coastwatch calls off search for papuans +1930,trader jailed over nab scandal +1931,easter travellers face high petrol price +1932,govt to slash business red tape +1933,remote qld town clean energy role model +1934,riverland councils seek common ground over rates +1935,gritty gonzalez keeps chile level with us +1936,steve folkes and matthew elliott interviews +1937,ghan brings tourists back to katherine +1938,umpires hail player handling of rule changes +1939,a g moves to keep sex offender in jail +1940,govt accused of panicking in prosecution backdown +1941,inquiry considers suitability of waste dump panel +1942,grazier prosecuted for tree clearing +1943,man faces court accused of murdering mum +1944,nusa encouraged by day of action response +1945,leaders reflect on confronting easter message +1946,kersten takes silver in bordeaux +1947,pope delivers solemn good friday message +1948,storm record big win over panthers +1949,sydney taps deep water reserves +1950,revamp to temporarily close operating theatre +1951,traffic lights ruled out in waterfront plan +1952,dubbo teen loses finger in dog attack +1953,lost family makes contact +1954,morwell man gets special olympics call up +1955,former aide named as new iraqi pm +1956,sheens wife gets restraining order after death +1957,darwin braces for intense cyclone monica +1958,woman accused of sex assault on fellow worker +1959,un extends east timor stay +1960,chernobyl impact still felt 20 years on +1961,20 booked in bendigo blitz +1962,animal activists abattoir protest backfires +1963,earth needs intergalactic police ethicist +1964,egypt blast survivor may be home soon +1965,union says new laws muzzle media +1966,italys berlusconi to quit +1967,two guards stabbed in pub brawl +1968,govt unveils new arts funding +1969,wrecked train removed from line +1970,farmers hopeful of federal drought aid +1971,forensic testing at adelaide blast scene +1972,stockmans show set to boost outback tourism +1973,tambo council gets health centre funds +1974,australian film presence at cannes most successful +1975,black boxes recorders for act police cars +1976,crusaders rest captain for vital bulls clash +1977,state wards inquiry looks at foster care +1978,afl clubs demand massive funding boost +1979,hodgson a chance of facing sea eagles +1980,hundreds hurt in clash over new south korea us base +1981,crows waiting on ricciuto decision +1982,girl found safe in yeppoon +1983,search for airport escapees continues +1984,hart auction expected to set record prices +1985,satellite system to help in whale rescue efforts +1986,titanic sinking survivor dies +1987,3 al qaeda suspects go on trial in germany +1988,second body found after sa factory blast +1989,27 million to encourage oil recycling +1990,domain fire to be extinguished +1991,no compensation for mary dam water loss beattie +1992,n korea to accept food aid +1993,opposition grows against horsham water +1994,skills shortage holds regional australia back crean +1995,regular blood pressure checks urged +1996,vaile denies budget fails on child care +1997,union premier to discuss scope of mine disaster +1998,new siren arrives at york park +1999,union up beat about sacked workers future +2000,closer am1 +2001,us makes world safer howard +2002,vic police fined over unauthorised database access +2003,wine grape growers urged to stand up and be heard +2004,man pleads guilty to stalking civil liberties +2005,silt flood problems prompt calls for barrage +2006,hicks not involved in guantanamo riot +2007,table tennis world wowed by 95yo champ +2008,govt urged to protect hunter bushland corridors +2009,kentucky derby champions life in the balance +2010,montenegro votes for independence +2011,govts question aboriginal housing care ability +2012,govt urged to boost rabbit fence funds +2013,martin plays down possibility of wadeye evacuation +2014,meninga looks to sell blues a dummy +2015,mine plan to boost indigenous employment +2016,serbia and montenegro to play on at world cup +2017,aust troops prepare for dili violence +2018,council denies exploiting ir laws +2019,anti union campaign may be work of disgruntled +2020,bulldogs outclassed by red hot pies +2021,highway levy plan worries council +2022,iraqi national tennis coach players killed for +2023,miner to expand precious metals search +2024,bracks hints at family friendly budget +2025,union unhappy at police attackers sentence +2026,new army chopper on show in qld +2027,4 killed 50 hurt in baghdad market bomb attacks +2028,big crowd tipped to attend brushmen of the bush +2029,emerald to discuss rural health issues +2030,labor has underplayed my achievements keating says +2031,new warning issued on irans nuclear capabilities +2032,downer meets e timor leaders +2033,nsw wants federal buy out of snowy shares +2034,caracellas future in doubt +2035,csiro predicts large water price rises +2036,funds shortfall hinders rescue training +2037,south broken hill to get water supply boost +2038,trinidad and tobago stop the rot +2039,organ growth 10 years away aust scientists +2040,bashirs release out of our hands downer +2041,civil unions a step too far howard +2042,hospital denies cover up over managers departure +2043,lodhi jury begins deliberations +2044,more troops return from iraq +2045,iraqi govt complete +2046,wakool shire celebrates 100 years +2047,stanhope defends rates legislation scrutiny +2048,tigers too good for roos +2049,launceston childcare boom harms local providers +2050,man dies in single vehicle road crash +2051,russian police mistake rugby match for brawl +2052,us criticised after guantanamo suicides +2053,beazley denies axing awas will lower wages +2054,cahill still elated with socceroos victory +2055,contract signed to clean up power station +2056,new concerns over nsw land clearing laws +2057,truss offers qualified support for nuclear power +2058,heywood pulp mill may face legal challenge +2059,palestinian public servants storm parliament +2060,east timorese rebels await call to disarm +2061,wrotham park cattle station sold +2062,rossi fastest in catalan gp practice +2063,al qaeda aborted new york subway attack book says +2064,farmers urged to fill out census forms +2065,qld nurse injured in drive by shooting in thailand +2066,gold coast council looks to boost public confidence +2067,week focuses on drug abuse education +2068,leaking toxic ship headed for brisbane +2069,officers shoot at suspected stolen car +2070,three get life over footbridge murder +2071,bright future for tas orchestra +2072,i told police about mutijulu paedophile brough +2073,more cup heartache awaits zico +2074,aust fans celebrate world cup result +2075,ex coffs radio station boss faces fraud charges +2076,socceroos an inspiration says gregan +2077,transend defends 6 hour blackout +2078,orthopaedic surgery waiting lists targeted +2079,wadeye exodus to continue unless conditions improve +2080,anglican church split wont affect australia +2081,nesta ruled out of ukraine quarter final +2082,fate of wyndham hospital set to be revealed +2083,grampians bushfire appeal draws to close +2084,e timor malnutrition compared to africa +2085,closer news +2086,balloons soar as mourners farewell sofia +2087,comets continue winning streak +2088,door still rolling after 50 years +2089,former awb chairman resigns from company boards +2090,grape growers urged to mothball vineyards +2091,fighting breaks out in gaza +2092,gas leak forces army base evacuation +2093,nsw govt blamed for cronulla restaurant closures +2094,aust couple arrested in vietnam on heroin +2095,interstate plant pest find creates wine worries +2096,un asks countries to help us close guantanamo +2097,reds still chasing schifcofske +2098,market shakes off negative lead +2099,motorcyclist jailed over speeding offences +2100,estimates hearing told of mental health +2101,swan davis might be dropped +2102,tourism alliance prepares for corridor promotion +2103,council accused of neglecting waterfront area +2104,family decision seals titans delaney signing +2105,opposition criticises regional health services hq +2106,palm is riot accused wins trial move +2107,police lay charges after gold coast drug raids +2108,italian soccer clubs punished over match fixing +2109,shardey questions ambulance resources +2110,union calls for extra school funding under govt +2111,royal society inducts sars expert +2112,rta investigates internet demerit points trading +2113,seafood industry body to restructure +2114,townsville not racist despite trial move +2115,dam predicted to hurt local businesses +2116,hospital and action group at odds over doctor +2117,low grape prices leave growers whining +2118,vickerman expected to face all blacks +2119,anger over probation for drink driving mother +2120,indonesian beach town devastated after tsunami +2121,strip club assault charge against eminem dropped +2122,council defers decision on goulburn airport sale +2123,economic growth steams ahead +2124,indigenous family violence animal cruelty linked +2125,senator demands govt to correct evidence given in +2126,stolen car drunk driver jailed +2127,tiger faldo feud simmering away +2128,jackmans jeans go for 30000 +2129,more australians prepare to leave lebanon +2130,woman charged over babys murder +2131,canberra hospital bypass policy continuing liberals +2132,indonesian tsunami death toll rises to 654 +2133,magpies back to winning ways +2134,more marine pests found on boats in darwin +2135,thailand to vote in october +2136,govt considers strengthening afghan deployment +2137,blake downs roddick in indianapolis final +2138,connolly upbeat about fremantles form +2139,derwent river pollution reduction plan announced +2140,ex porn entrepreneur fined over drugs +2141,police seek help to find missing woman +2142,top end water region to be mapped +2143,israel steps up lebanon offensive +2144,koschitzkes return put on hold +2145,meeting to discuss irrigation +2146,somali minister assassinated outside mosque +2147,arson squad probes deadly blaze +2148,beattie announces water referendum +2149,un soldiers injured in israeli strikes +2150,argument interrupts terrorism suspect hearing +2151,more rain needed to improve vic crops dpi +2152,pms decision to face electorate welcomed +2153,police investigate vandalism in synagogue grounds +2154,iran rejects un resolution to suspend nuclear +2155,speculation over sunshine coast hospital site +2156,ghana anniversary plans anger poor +2157,tas govt touts hunting parties as fox solution +2158,worker bashed during highgate hill shop robbery +2159,greens call for secular alternative to religion +2160,trujillo severance package questioned +2161,allenby stays in touch with tiger +2162,govt close to finalising indonesia prisoner +2163,israeli hezbollah clashes continue +2164,australian surfer dies in bali +2165,brown has rivals for lions captaincy +2166,us military court told soldiers took turns to rape +2167,act teachers to strike in pay dispute +2168,former priest jailed for child abuse +2169,polar bears to be separated +2170,wine growers improve us sales +2171,flegg will boost coalitions chances messenger says +2172,us markets down despite rate hike halt +2173,dams blamed for fuelling deadly indian floods +2174,juve sell ibrahimovic to inter +2175,alice commandeers carroll classic +2176,us open hopes fade for hewitt +2177,army under equipped for lebanon deployment +2178,council to speak for irrigators against waranga +2179,downer says embassy will stay in baghdad +2180,finals win needed to gain respect connolly +2181,govt defends uni funding +2182,state council to select robina liberal candidate +2183,minister rejects high school student drug testing +2184,afp officers arrest man over dili violence +2185,parole board accused of using old laws +2186,powell equals world record again +2187,tas urged to provide more special needs support +2188,ferguson still targeting hargreaves +2189,howard undecided on telstra sale +2190,locum replaces surgeon in mackay +2191,farmers share stories to support each other +2192,man fined for supplying petrol to woorabinda youths +2193,fast tracking approvals wont cut corners beattie +2194,govt defends telstra sell off +2195,tugan bypass construction running ahead of schedule +2196,gaza militants release captured newsmen +2197,iraqi tribal chiefs agree to support reconciliation +2198,flegg blames govt for x ray problems +2199,tas wildlife reserve are doubled +2200,alderman clark wants free parent entry to alice +2201,democrats founder don chipp dies aged 81 +2202,einfeld pleads guilty to parking offence +2203,newman doubts gold coast will be exempt from water +2204,opposition calls for inquiry into factory outlet +2205,conciliation talks fail for milan and fiorentina +2206,china jails reporter for spying +2207,publican brings home the bacon for outback opera +2208,queanbeyan land released but development years away +2209,dockers not resting on laurels +2210,campbell awaits ralphs bay advice +2211,coonan pushes on with media ownership law changes +2212,solomons opposition plans to topple pm +2213,man avoids jail over club break in +2214,rossi eyes australian win in motogp title hunt +2215,aussie musters aid shipment with a difference +2216,court forces awb to hand over documents +2217,opi hearing told police beat prisoners +2218,solomons pm invites downer to talk +2219,wirrpanda unlikely to play preliminary final +2220,health system big winner in sa budget +2221,us brands thai coup unjustified +2222,baldings teen murderers lose appeal +2223,court raises concerns over act sentencing +2224,labor attacks workchoices changes +2225,sex offender faces dangerous criminal +2226,sunbeam recalls dried fruit products +2227,police investigate fatal light plane crash +2228,james hardie directors pay rise disrespectful +2229,tamworth council to vote on refugee resettlement +2230,urban issues as important as rural water body says +2231,rally to highlight wool growers frustrations +2232,four appear in court over alleged pine gap break in +2233,asic to probe mining industry share market +2234,coonan welcomes media laws passage +2235,man faces court over fatal stabbing +2236,more first home buyers enter act market +2237,afghan governor escapes assassination attempt +2238,un set to vote as tests point to north korea claim +2239,defence force recruitment targets school leavers +2240,man charged with bike track sexual assault +2241,closer am2 +2242,corby half brother sentenced over home invasion +2243,iraq violence escalates +2244,pakistan to recall shoaib asif after positive tests +2245,snowy council counts cost of vandalism +2246,un sanctions are war north korea +2247,jaques in solid form against redbacks +2248,support increases for hobart afl games +2249,bourke gets emergency water supply funds +2250,kazakhstan misspells bank on new money +2251,opposition unconvinced epicentre sale fair +2252,passengers en route after emergency landing +2253,murdoch positions himself for media shakeup +2254,elders seek return to aboriginal burn off +2255,wolfmother dominates aria awards +2256,public servant jailed for stealing +2257,senator brown backs stem cell bill +2258,clinton re elected new york senator +2259,qld govt considers rates rebates for drought areas +2260,stem cell bill opponents disappointed +2261,vandalism may force bedding business closure +2262,mining boom gives nt community bright future +2263,talks focus on tatiara drought aid application +2264,bushrangers batting at mcg +2265,lebanon rift threatens political stability +2266,local govt dept asked to probe councils +2267,police concerned for missing man +2268,remote policing boost hurting broome carpenter +2269,govt dept to probe councils management of arts +2270,southern wa backs firefighting boost +2271,carbon taxes would damage coal gas industries +2272,quiet revolution in green buildings +2273,blue mountains residents warned of fire risk +2274,grant council urges probe into regional tafe claims +2275,nuclear reactor sites flexible macfarlane says +2276,qld dpp to issue arrest warrant for dr patel +2277,sa emergency services fighting 75 fires +2278,scientists claim new water filter halves +2279,funds secured for water pipeline study +2280,labor pledges 40m for new firefighting equipment +2281,banking sector lifts sharemarket +2282,bombers swoop for michael +2283,remote solar technology project wins national award +2284,moscow urged to assist in ex spy poisoning +2285,union questions china train deal +2286,wallabies finish euro tour with scottish victory +2287,wickets fall as australia push for victory +2288,qld to ban nuclear power plants +2289,seniors card regional directory on its way +2290,deadline looms for wodonga pool submissions +2291,iraq on verge of civil war annan +2292,police push for more recruits +2293,aust backs regional move to preserve fish stocks +2294,beazley denies reshuffle rethink +2295,bush snubbed by iraq leader +2296,teachers to walk off the job in protest against ir +2297,carpenter stands by embattled ravlich +2298,griffith library closes its doors +2299,victory too good for united +2300,thousands rally against lebanese govt +2301,broome shire admits to failing to consult over new +2302,greenough geraldton merger to go ahead +2303,uranium mining impediments should be removed report +2304,treaties committee report on uranium sales to china +2305,fears vic fires to spread further +2306,reading miss chance to go third +2307,farmers urged to consider growing truffles +2308,gerry collins aus swimming championships day five +2309,high winds predicted to fan eastern vic blazes +2310,discovery blasts into space +2311,sixers lose wheeler +2312,army bulldozers to build fire breaks around dam +2313,closer pm1 +2314,ombudsman vows to respond to baxter detainees +2315,vline talks up bendigo rail performance +2316,authorities keep watch on blue green algae outbreak +2317,fossil discovery challenges nz evolution theory +2318,closer pm +2319,prawn fishermen reject call to cut licences +2320,govt reveals look of albany waterfront development +2321,new role models +2322,abc appoints new editorial policies chief +2323,mooroobool residents form action group +2324,truck hits cyclists near burnie +2325,dow jones peaks but finishes lower +2326,australia thinking about ashes sweep +2327,diabetes not linked to alzheimers in seniors study +2328,police release name of crash victim +2329,warne the bigger loss to cricket mcgrath +2330,ripper pays tribute to tsunami victims +2331,annan brought un to the people +2332,40yo learner caught doing 177 kph police +2333,madrid airport bomb ends eta cease fire +2334,closer am +2335,woman attacked on brisbane bike path +2336,education honour for ag school student +2337,israeli military chief refuses to resign over +2338,iraq delays execution of saddam aides +2339,jull wont contest next election +2340,acf attacks china uranium deal +2341,hume dam water releases may stop if drought worsens +2342,ovens river water unusable after pollution from +2343,water pressure in brisbane to be reduced +2344,hewitt pulls out of sydney international +2345,desperate farmers feed cattle wine industry +2346,rainwater rights +2347,griffith mourns murdered schoolboy +2348,man pleads guilty over korumburra crash deaths +2349,mental health system worse after shake up +2350,police probe gold coast fires +2351,whale world granted 50 year lease extension +2352,salinity reduction scheme set for boost +2353,actew urged to give canberrans access to recycled +2354,destructive dighton puts tigers in final +2355,north qld lime growers celebrate record prices +2356,under 20 keeper in for reddy +2357,survey finds residents worried about higher living +2358,blaze near dubbo challenges crews +2359,bush hits back at iraq plan critics +2360,hair to umpire in kenya +2361,clark led pack rapes court hears +2362,judge criticised after dismissing assault charge +2363,police investigate cairns baby death +2364,qld opposition wants lockyer valley cattle dip +2365,rogers returns to league turns ankle +2366,searing heat upsets players +2367,govt criticises labors parental leave proposal +2368,pair died in murder suicide police +2369,works begins on yorke peninsula desal plant +2370,10000 flee tamil tiger stronghold +2371,cowardly chaytor to be expelled from labor +2372,crews brace for tough fire conditions near thredbo +2373,faulty airconditioner may have caused house fire +2374,mp says jet ski woes proof of need for more police +2375,surf lifesaving club uses green energy +2376,key blair aide arrested in corruption probe reports +2377,thredbo bushfire threat eases +2378,federer storms into quarters +2379,man charged over melbourne hit and run +2380,night time visibility concerns at cowra pool +2381,drought casts doubt over football season start +2382,woman bashed with baseball bat in home invasion +2383,mourners farewell murdered digger +2384,rain interrupts play at the gabba +2385,astle quits international scene +2386,ford posts record 16b loss +2387,abbott speech shows govt fears rudds rise +2388,tamworth recovers after country music festival +2389,trucking firm questions roadside facilities +2390,fletcher jones factory on sale within a month +2391,young car boot victims to be buried in wilcannia +2392,administrator takes control of broken hill council +2393,labor says patrol boat sidelining a blow for +2394,reds lead hurricanes at half time break +2395,woman rescued after car ploughs into creek +2396,govt challenged over hicks retrospective charge +2397,rare whooping crane flock killed in florida storms +2398,scorsese wins directors guild award +2399,von einem charged over selling cards to other +2400,good rain falls on central highlands +2401,farm group rejects single desk +2402,factory fire causes 25m damage +2403,govt accused of discriminating against same sex +2404,scott on restructure +2405,sydney researchers test miracle mushroom +2406,woman hurt in explosion at uk vehicle agency +2407,decision on alkatiri charges draws anger +2408,father gives evidence in patton murder trial +2409,land council highlights high cost of native title +2410,mp to monitor disappearing pay phones +2411,optus says capped plans behind profit plunge +2412,chinese mining delegation visits nt +2413,family first pressures minister to meet jovicic +2414,magistrate disqualifies herself from wood murder +2415,guinea leader names pm after fresh violence +2416,shopping centre evacuated following flooding +2417,fed govt announces community services centre funds +2418,interest rates will hold in short term rba +2419,man dies in capricorn highway crash +2420,kayaker to cross bass strait for pulp mill campaign +2421,ten dead in two us shootings +2422,leaders courage under fire in iraq debate +2423,rain helps lift crop prospects +2424,stuart highway may reopen after spill +2425,howards hicks deadline a joke says labor +2426,push for water grid targets to be met +2427,us military base to be built in wa +2428,spark fears for canberra fire patch +2429,us acting like terrorists ex premier +2430,current shifts devastating ocean life +2431,call for alice to become international air hub +2432,canas wins first atp title since doping ban +2433,drought still gripping nsw +2434,mayor to meet lennon over auspine sawmills +2435,3 month wait to secure eurobodolla water supply +2436,mills closures can be avoided says premier +2437,players association to review programs amid +2438,sale man charged over triple road death +2439,infrastructure projects may see mackay rates rise +2440,extra water for bourkes failing permanent plantings +2441,pakistan hails missile test +2442,closer pm1 +2443,bridge to acknowledge immigrant contribution +2444,lawyers question courthouse conditions +2445,medicos college raise patient audit concerns at +2446,missing mans body found on gold coast beach +2447,new menindee health service opens doors +2448,wa govt green lights woodside burrup clearing +2449,rose facing 14yrs jail over blackmail admission +2450,search widens for geothermal sources +2451,transport of auspine logs raises traffic concerns +2452,aboriginal monitors to oversee path construction +2453,federer reaches dubai final and eyes new record +2454,princess diana inquest to be heard by jury +2455,attack on rudd over burke will continue campbell +2456,closer pm +2457,wa qld on cyclone watch +2458,aboriginal service says nt govt fails to +2459,search on for watch house escapee +2460,australians involved in indonesian plane crash dfat +2461,bus safety review urged after stabbing +2462,11 charged after bendigo drug raids +2463,aust mining companys chartered plane crashes in +2464,dry weather takes toll on water supply +2465,israeli troops arrest 18 in palestinian raid +2466,conservationist uses wine bottles to build energy +2467,blues fight back at bellerive +2468,labor support for independents a sneaky strategy +2469,tariff reduction wont help aust car industry +2470,adelaide hills fires deliberately lit cfs +2471,overnight vic road accidents leave 2 dead +2472,policeman kills five colleagues at new delhi bank +2473,bbc continues to search for missing correspondent +2474,british govt unveils bill to cut co2 emissions +2475,politician seeks votes in klingon +2476,red bull car lacking speed webber +2477,bracks defends swimming champs +2478,slatter sacking good news for tabcorp analyst says +2479,santo resignation +2480,australias air capability plan in tatters +2481,taxi driver charged over alleged indecent assault +2482,mexican soldiers take over police hq +2483,parliamentary inquiry gives auspine hope +2484,sacked mine worker wins compo over awa +2485,candidate seeks clarification over sunflower house +2486,cbh resources halts stock exchange trading +2487,nib to go public +2488,nt govt to brief judges on alcohol management +2489,pakistan legends stunned by woolmer suspicions +2490,cyanide fears to prompt train block protest +2491,williams wins appeal against extradition +2492,qantas stakeholder rejects takeover bid +2493,govt wont sack new frontbencher +2494,iran arrests escalate diplomatic tensions +2495,poll tips labor win in nsw election +2496,sandilands signs contract extension with dockers +2497,man assists police over brisbane stabbing +2498,sydney sushi eaters warned of hep a risk +2499,distracted eagles trying to focus on swans +2500,impact of al hilali decision extremely negative pm +2501,youth choose uni work over national service +2502,cyclone kara set to be downgraded +2503,central qld farmers receive sms weather reports +2504,conditions right for planned burns to start +2505,lappin returns to lions line up +2506,hospitals face bed demand pressures +2507,gilchrist praises intimidating hayden +2508,entry procedures too demanding say fire service +2509,fire rips through historic church +2510,wedding reception brawl disgraceful police +2511,hicks gag not enforceable in aust ruddock +2512,illegal hunters to be targeted this easter weekend +2513,researchers aim to make oats healthier +2514,saints wary of lions midfield power +2515,appleby stumbles late but holds lead +2516,bomb kills 17 in iraqi town building destroyed +2517,wesfarmers woos major coles stake +2518,aust scrabble champ uses words wisely +2519,police use sniffer dog in drug bust +2520,govt to call for tenders for broome prison upgrade +2521,new schools boss defends criminal past +2522,tri state drugs operation working police say +2523,councils at odds over bribie desalination plant +2524,ireland have proven themselves says mcgrath +2525,pumping water north unworkable green council says +2526,youth homeless hearing moves to townsville +2527,auspine expected to begin log supply deal legal +2528,cowboys leagues club to reopen this weekend +2529,govt to monitor water use of tas farmers +2530,value of mortgages increases by 09pc +2531,sa to consider eastern daylight saving schedule +2532,cliff fall lands man in hospital +2533,hospital chief resigns +2534,paint factory fire caused millions worth of damage +2535,sa trains antiquated says liberal leader +2536,chamber hopes court ruling ends legal battle over +2537,peak wool bodies to merge +2538,titans stay silent on walker incident +2539,fmg speeds up iron ore railway work +2540,somalia on the verge of humanitarian disaster un +2541,binge drinking police need support minister says +2542,tender awarded for new youth detention centre +2543,barclays bids for abn amro +2544,big drop in wine grape harvest predicted +2545,driver dies in southern highlands road crash +2546,maturing cheddar becomes slow food internet star +2547,abalone divers recognised for reef protection +2548,colombia hit by nationwide blackout +2549,fur seal pup discovery sparks hope in sa +2550,un lifts embargo on liberian diamonds +2551,star treks scotty beamed up in final space voyage +2552,backlash over labor plan to ditch awa +2553,farmers predict superpipe cost blow out +2554,griffith child prostitution claims yet to be +2555,no more fruit fly larvae found +2556,tenants cautioned against signing agreement +2557,residents promised role in kimberley mining +2558,combet confirmed as federal labor candidate +2559,solo yachtsman makes final stop before home +2560,road crash victims lucky to be alive police +2561,fergie planning triple transfer swoop +2562,macdonald to join tigers +2563,meekatharra school of the air offered permanent +2564,queen toasts us british alliance +2565,group calls for safeguards to allow voluntary +2566,local govt group says budget on right track with +2567,suspensions not a precedent malthouse +2568,workcover probes gas accident +2569,brothers charged with gold coast murder +2570,planning begins for health services one stop shop +2571,health concerns spark sheep lice chemical ban +2572,nairn to open aged care extensions +2573,parole for man convicted of manslaughter +2574,autism report +2575,desalination needed for new donald water supply +2576,railcorp to waive fare evasion fines +2577,search for missing anglers finds one body +2578,tourism industry backs dry alice decision +2579,murray salinity program shows mixed results +2580,sa mining and energy projects at high levels +2581,father charged with child stealing +2582,federal govt defends tas pulp mill process +2583,giteau happy to challenge gregan for half back role +2584,terrorist roche released from jail +2585,family dies as car plunges six storeys +2586,mp says sports complex funding no token gesture +2587,surveillance tape played at nt drugs hearing +2588,union seeks council merger jobs guarantee +2589,wentworth shire residents to elect new councillor +2590,father in dark on hickss arrival +2591,hicks repatriation a farce brown says +2592,teaching report backs need for performance pay +2593,abc weatherman quits for politics +2594,child psychologists call for wider use of play +2595,life left in stawell gold mine operator +2596,sydney bow out of acl +2597,14 killed in siberian mine blast +2598,virgin accused of discriminating against disabled +2599,yangan to again vote on water pipeline +2600,drought affected farmers hit out at relief red +2601,govt to upgrade navy helicopter fleet +2602,turnbull reports progress in water negotiations +2603,wa doctor elected ama president +2604,70s pop star pleads guilty to drug charges +2605,owners made right decision on waste dump nuclear +2606,parents praise searchers for finding their children +2607,venezuelan tv channel shut down +2608,what a coincidence +2609,labor moves to censure pm over ads +2610,pulp mill pollution report accused of seriously +2611,aboriginal remains buried 90 years after being +2612,balibo inquest hears charges should be laid +2613,liberals claim big rate rises on way +2614,qld increases car taxes for mental health climate +2615,vietnam war remains to hit home soil +2616,titans hope for two wins on the trot +2617,interviews karmichael hunt jason ryles and jamie +2618,big rally protests against governments health +2619,man dies in west vic crash +2620,tributes mark 15 years since mabo decision +2621,man pleads guilty to cutting dogs ears off +2622,doubt over dam works compo +2623,us russia missile clash wont divide europe blair +2624,farmer fumes over beatties dam comments +2625,men interviewed over counterfeit cash +2626,online tourism site expected to boost industry +2627,argentina claim third consecutive test win +2628,polls open in french parliamentary election +2629,forced evacuations in newcastle unlikely +2630,liberal senator wants to ditch monarchs holiday +2631,men flock to community sheds +2632,aged care home replaces nurses +2633,aust cars make welcome improvement in safety +2634,new senator speaks out for disabled +2635,speculation painting stolen from nsw art gallery +2636,australia focused on top position ellis +2637,court hears details of teenage rape +2638,easing interest rate fears buoys market +2639,space station computer failure may delay shuttle +2640,workers to get rights fact sheet says hockey +2641,murray back from the blue +2642,afl club robbery well planned +2643,mp slams attempts to link land permits to child +2644,tambling signs on with the tigers +2645,growth strategy review results to be released +2646,bendigo area experiences another blackout +2647,closer pm +2648,former customs official faces sentencing over +2649,us aid bill sparks abortion row +2650,police find body near missing cabbies car +2651,judgement day for chemical ali +2652,man flown to hospital after bush motorbike crash +2653,recycler urges deposits on hazardous materials +2654,reef fish starve themselves to avoid conflict study +2655,sex on the cards for brothel spies +2656,white whale prompts adf to consider training site +2657,late night venues hope for curfew compromise +2658,rudd vows to boost aged care bed numbers +2659,wesfarmers to make final coles bid +2660,iran speeds up nuclear enrichment +2661,bulldogs leading roosters at break +2662,debate continues over indigenous permit removal +2663,rain helps ease stock feed demand +2664,child protection funding knockback sparks fury +2665,public meeting to consider murwillumbah hospital +2666,sa nurses end work bans +2667,inmates need more mental health support +2668,kidnappers threaten to kill uk toddler +2669,indonesia terrorist attack imminent dfat +2670,roos wary of tarrant factor +2671,backbencher slams sloppy health dept +2672,police investigate shepparton business death +2673,police search for mother of baby left in hotel +2674,calliope council to sell off land +2675,chopper not speeding during black hawk crash +2676,greens call for cancer scan funding probe +2677,mcveigh to fight striking charge +2678,nt announces greatorex by election date +2679,afp arrest melbourne trio on drug charges +2680,mcdermott slams wildly inaccurate bridgecorp claims +2681,tour down under changes for 2008 +2682,opposition test ports for heavy metals regularly +2683,wa govt urged to replace quadriplegic centre +2684,liberals question electricity pricing in tasmania +2685,darwin mayor could face no confidence vote +2686,mooloolaba man accused of attempted murder after +2687,pearson concerned over next step in indigenous +2688,aust us researchers tackle flesh eating disease +2689,caltex fuel problem easing +2690,hope for after hours clinic to ease hospital load +2691,police council discuss edithburgh alcohol free +2692,search intensifies for missing cyclist +2693,strong home growth +2694,tip off leads to cannabis seizure +2695,totti confirms international retirement +2696,minister confident on prison contraband system +2697,nrl interviews jason taylor and graham murray +2698,power showing class against tigers +2699,aussie mum tells of life with hiv +2700,regulator snares record number of bankruptcy fraud +2701,russia slams british murder investigation as biased +2702,farmers forum set to wind up +2703,south korea receive lee boost +2704,young saint grabs rising star nomination +2705,census reveals rental and mortgage burden +2706,hospital management to be trimmed says minister +2707,police lay charges over car re birthing racket +2708,funds confirmed for nhill community centre upgrade +2709,internet paedophiles should be deleted nsw govt +2710,eagles prepared to risk judd and cousins +2711,haneef lawyer statement +2712,civil libertarians accuse ministers of haneef case +2713,eritrea sending weapons to somalian insurgents +2714,brumby in skills pledge to victorians +2715,qld outpatients services unable to cope report +2716,man refused bail over teen murder +2717,mp criticises cgu over flood insurance stance +2718,murdoch seals dow jones takeover +2719,queer lion to roar at venice film festival +2720,woman burnt in emerald house blaze +2721,bridge disaster search continues +2722,fears qld amalgamations will hurt tourism +2723,obama willing to order attacks against al qaeda +2724,plane crash fragments to be analysed +2725,vaile says govt may delay cdma shutdown +2726,all blacks hit back at french drug criticism +2727,nepal army fires soldiers for lesbianism report +2728,hoddle street killer wont be forgotten +2729,zoo hopes for rhino ivf success +2730,asian floods crisis deepens with disease fears +2731,braun to push on past drug claims +2732,bush warns iraq over ties with iran +2733,govt council to defend landfill approval +2734,man charged over hit run at geelong +2735,demons hammer fading bulldogs +2736,un police arrest 34 over e timor violence +2737,fire ban continues on northern tablelands +2738,no free fruit for nsw school children +2739,nurses reject government pay offer +2740,sentenced increased banker jailed over cocaine +2741,awas details wil be released before election rudd +2742,baby shaker released on bail +2743,broome in midst of tourism boom +2744,curfew imposed on nigerian oil city after bloody +2745,maldives votes on democratic models +2746,sackings ruled out as qld councils go to polls +2747,apple growers taskforce spokesman john coryboy +2748,equal chances for all kids +2749,newhouse defends cousins over turnbull stoush +2750,study shows link between power lines and cancer +2751,wave power on portlands agenda +2752,johnson ross progress in osaka +2753,alice designers work to create outback wheelchair +2754,councils call for federal funding +2755,three way tie in amsterdam +2756,mackay considers move away from mining dependence +2757,turkish film wins top prize at sarajevo +2758,afl players to boycott seven interviews +2759,dpi issues horse flu vaccine warning +2760,png investigates live burials of aids patients +2761,suspects charged over murder of russian journalist +2762,spanish tomato frenzy pulls in the crowds +2763,garrett speaking gobbledegook on pulp mill greens +2764,rspca angry about truck accident +2765,thorpe cleared of doping violations +2766,americas lagat wins 5000m mottram 13th +2767,food festival and free fish +2768,police investigate fatal qld boat collision +2769,protesters removed from power station +2770,baxter detention centre staff took redundancy +2771,councils threatened with court over workchoices +2772,fatal quad bike crash prompts safety reminder +2773,incest case stalls +2774,horse flu spreads in parkes district +2775,nyc cabbies strike over technology push +2776,lead contamination report finds litany of failures +2777,visa appeal leaves haneef in limbo +2778,alpine national parks move hq +2779,belarus duo capture us open mixed doubles title +2780,howard running out of time in political limelight +2781,no delays expected for new gold coast hospital +2782,vic police search for journo attackers +2783,home bail for alleged hit run driver +2784,howard vows to contest election +2785,public warned of phoney doorknock appeal volunteer +2786,boat crashes into wall at mouth of brisbane river +2787,call for more suicide prevention funds in central +2788,closer pm +2789,indonesia quake toll rises to 13 +2790,pm outlines 170m nurse training plan +2791,signal problem hampers vline services +2792,all bodies recovered from thai crash site police +2793,coral sea plans a green vote stunt says seafood +2794,un urged to probe supermax conditions +2795,us rates cut boosts local market +2796,caltex chairman steps down +2797,laporte tweaks with french xv +2798,police deny bungling body in boot case +2799,call for deputy mayor role to be shared +2800,qld govt plays blame game over rental crisis +2801,firing gunners look to extend premiership lead +2802,12 injured in melbourne tram crash +2803,president of iran arrives in us amid controversy +2804,thousands take to riverland field days +2805,turnbull targeted in push to save burrup rock art +2806,us court to hear case against lethal injection +2807,guyra council says no to closing mckie parkway +2808,martin backs decision for private collins funeral +2809,more nsw hospital toilet miscarriages reported +2810,10yo wins will ferrell charity auction +2811,budget cuts causing crisis +2812,keelty stands firm on climate change security +2813,local market ends week on a high +2814,oprah tvs top earner forbes +2815,boaties warned of river drought danger +2816,leunig creations get musical +2817,thief nailed selling 1 million stolen screws +2818,paterson kicks scotland into world cup last eight +2819,police unhappy with gold coast drink drivers +2820,steady petrol price predicted +2821,magistrate wants court aired over radio +2822,man found dead near house blaze +2823,police investigate possible gang of 49 spree +2824,workchoices researchers mull legal action over +2825,federal govt quizzed on ningaloo heritage listing +2826,woman dies after cannon hill stabbing +2827,haselby to stick with dockers +2828,new unit development planned for jondaryan shire +2829,rare white rhino born at sa zoo +2830,from grace to disgrace +2831,gallen out johnson in for kangaroos +2832,jones confirms plans to plead guilty in steroid +2833,fatal bullet may have hit another person first +2834,melbourne drunks arrested in police crackdown +2835,assurance sought over road money +2836,cars homes damaged in lismore hailstorm +2837,google breaks 600 and set to announce plenty of +2838,housing shortage tightens rent squeeze +2839,kalgoorlie mayor dirty over woolies sign +2840,mp wants mackay showgrounds plan revealed +2841,power sell off is just one option for m4 iemma +2842,rams shares continue to plummet +2843,redfern will welcome development centre +2844,soaring aust dollar hurting nt mining sector +2845,adf ceremony to honour trooper pearce +2846,all blacks get surprise reception +2847,local productions vie for top film award +2848,tasmanian jobless rate steady +2849,horse flu results not clear for a week +2850,market sluggish after banking losses +2851,rudd tight lipped on pms reconciliation timing +2852,kavanagh revels in caulfield glory +2853,court told pilots were forced onto awas +2854,fatal accident closes monaro hwy section +2855,representatives to meet for truck ban talks +2856,boy stable after meningococcal scare +2857,business chamber accuses council of cbd neglect +2858,abbott admission fuels union debate +2859,body in suitcase identity still unknown +2860,katherine residents grapple with grog ban +2861,police question couple over body in suitcase +2862,pollies pledge vilification free election +2863,market regains some ground +2864,stab accused claims self defence +2865,doubt pontings men at your peril buchanan +2866,somali pm resigns after feud with president +2867,wine company sale unlikely to help growers +2868,govt health pledge needs rural incentives doctors +2869,gunns makes conditional offer to drop legal action +2870,injured sangakkara to sit out tour match +2871,report critical of co location booth +2872,family first candidate apologises for sexuality +2873,fears new betting system unfair for problem +2874,mundine announces return to ring +2875,parole officers strike goes state wide +2876,smith hits back at scrutiny +2877,man still missing in vic bushland +2878,tigers post huge target +2879,dpp appeal over violent robbery sentences +2880,man arrested for dui three times in 24 hours +2881,nathan dam future to become clearer by 2010 +2882,patel will get fair trial expert +2883,another tourist involved in perth crash dies +2884,nine to face court over child porn ring +2885,politics needs pauline +2886,tassies bet big on the melbourne cup +2887,accused front court over fiji assassination plot +2888,news ltd receives apology in cricket stoush +2889,womens group calls for alice alcohol sanctions +2890,mukasey confirmed as new us attorney general +2891,vic govt pressured to clarify stance on latrobe +2892,party launches under scrutiny over travel +2893,eyre peninsula tour reveals nrm concerns +2894,revolutionary generator to power darwin +2895,ffa promises to tighten security +2896,millss new pr adviser named +2897,vaidisova mauresmo to play gold coast tournament +2898,boyfriend in court for alleged toddler bashing +2899,tatura milk to sell farm supply stores +2900,labor to spend millions on wa regional ports +2901,rudd unveils 15m ethanol plant scheme +2902,second stage of vegie industry water saving +2903,glory plugging gaps for mariners clash +2904,ron howard joins striking writers in new york +2905,strong interest expected in mental health video +2906,union savages building watchdog +2907,fahey named new wada boss +2908,humphries denies smear campaign against greens +2909,record low turnout in kosovo election +2910,inquest hears murdered man died of head injuries +2911,plantations and bushfires considered in liberal +2912,union teacher pay deal dead in the water +2913,work begins on water pipeline for lake bonney users +2914,firefighters control karumba blaze +2915,police killer back in court +2916,water assets loss may prove costly for ratepayers +2917,above average marijuana use is nt wide +2918,us gives russia new missile proposals +2919,clouds form over rain making technology +2920,ex atsic councillor backs call for regional +2921,french public transport strike draws to a close +2922,analyst tips labor in battleground qld +2923,turnbull keeps pressure on newhouse +2924,violence threatened at villawood protest +2925,howard walks on rudd thanks god +2926,election complaint lodged against andrews +2927,premier hopes for tasmanian federal ministers +2928,victory in groom bittersweet says macfarlane +2929,nfl star taylor shot in miami +2930,lost and floating 3yos dad tells court of grief +2931,rudd govt will last one term if economy mismanaged +2932,close friend charged with oconnell murder +2933,tasmanian politicians step up for federal +2934,veterans search for missing records +2935,nz welcomes format for 2011 cup +2936,us backs down on draft annapolis resolution +2937,glory leading at the break +2938,slingers upset champions brisbane +2939,tasmanian funds bound for overseas aids programs +2940,union warns of long qantas queues +2941,counting drags on in herbert +2942,scientists absorb sponge find +2943,casa okay with helicopters beach landing +2944,mokbel waiting on extradition appeal +2945,defence lawyer concedes coroner used emotive +2946,macquarie wharf repaired +2947,mundine waiting on medical clearance +2948,swan repeats economic conservatism promise +2949,after breathtaking count solomon finally sees in +2950,making the most of the wet +2951,storm debris causes blackouts +2952,nasa calls off shuttles second launch try +2953,goulburn braidwood emerge from drought +2954,serious crash in tasmanian north west +2955,fears preschoolers missing out on hearing eyesight +2956,hicks lawyer hits out at draconian control order +2957,hospital orderlies continue work bans +2958,hot rocks drill search in adelaide suburbs +2959,tasmanians rebuild aboriginal tradition +2960,russia orders closure of british council offices +2961,telstra hits out at bullyboy accc +2962,former policeman jailed for child pornography +2963,influential colleagues post surety for ex federal +2964,mary river dam protesters hopeful of garrett visit +2965,youth to face court over deadly racecourse crash +2966,cmc rejects abuse cover up claims +2967,conroy praises vic plan to relax ivf surrogacy laws +2968,men refused bail over alleged child porn ring +2969,no comment on inability of mersey hospital to +2970,accc report rules out petrol price fixing +2971,watching market best way to find low petrol price +2972,europe to enforce car emission standards +2973,warrant issued for former land council head +2974,bayern bolton seal uefa cup berths +2975,plans for outback college to boost rural tourism +2976,rain delays lake cargelligo solar project +2977,chinese engineers to join towers in mid air +2978,suspicious death in hobart suburb +2979,indian govt moves to help widows +2980,baby siberian tigers found dead in zoo fridge +2981,wild oats skipper plays down chances of syd hobart +2982,kokoda trail risky and gruelling walkers warned +2983,nt plans more alcohol management strategies +2984,get ready for new laws +2985,yachts away in launceston to hobart race +2986,bhutto rival urges election boycott +2987,bin laden accuses us of iraq oil takeover +2988,concerns grow over delayed colombia hostage deal +2989,bhutto jr on election +2990,stand off continues over police needs for new +2991,372 french cars torched over calm nye +2992,aust finalises test line up +2993,horror smash funeral for mother two daughters +2994,indonesia death toll climbs as flood waters recede +2995,politics and graft undermine african health care +2996,police investigate cairns shed fire +2997,woolamai batemans bay set to win surboat marathon +2998,cyclone bears down on cape york +2999,alleged rapist granted bail +3000,mp calls for loan to get farmers back into +3001,icc president defends bucknor sacking +3002,missing bunbury man found dead in forest +3003,norway teenage boy was adult woman on the run +3004,brimble case man has left aust court told +3005,man lives in fear after wrongful imprisonment +3006,snipes tax trial set to begin +3007,thousands evacuated from mozambique floods +3008,bush visits us 5th fleet amid iran tensions +3009,cocaine seizures drop as traffickers shift to semi +3010,mining prompts cobar real estate boom +3011,sydney locals fight for buses not bridge +3012,woman waited 24 hours for appendix operation coroner +3013,aust open police defend capsicum spray use +3014,geelongs johnson booked for speeding +3015,resources sector drags local market down +3016,court jails favourite teacher for sex abuse +3017,seven bodies found in thai lake +3018,interview ricky ponting +3019,mother still waiting for word on letter from +3020,nigerian oil rebels want george clooneys help +3021,tv internet dominating kids spare time uk survey +3022,credit crunch dulls shine of englands north east +3023,tait hogg selection left for match day +3024,technical college experiences high student demand +3025,man praised for trying to rescue child from house +3026,greenpeace pulls out of whaling chase +3027,us scientists close to creating artificial life +3028,kernaghan wins three golden guitars +3029,police investigate fremantle death +3030,police prepare for heavy holiday traffic +3031,union wants flood compo for truckies +3032,electrical fault may be behind house fire +3033,hodge takes round 19 player of round +3034,police probe release of carey security footage +3035,2hotfm upset over licence snub +3036,call for fishery review to consider anglers +3037,charged sex worker has hiv act health +3038,mackay police welcome taser rollout +3039,opposition wants to see proposed stolen +3040,ombudsman to probe 600 sackings at commander +3041,stoner rejects call for nsw liberal nationals +3042,council to lobby wa fed govt over homelessness +3043,russia accuses europe voting watchdog of sabotage +3044,girls freezing deaths fire indigenous grog ban +3045,13 killed as kenya clashes intensify +3046,kenyan homes destroyed despite talk of peace +3047,community hub for golden grove +3048,four injured after train hits truck +3049,petition urges stop to myola housing development +3050,graphic whaling images misleading japanese +3051,porritt admits to killing mother +3052,williams in perth for ledger funeral report +3053,far west tafe enrolments rise +3054,11 killed in austrian retirement home +3055,public servant seeks apology over burke allegations +3056,five times the limit woman caught in blitz +3057,jb hi fi profits surge 60pc +3058,ama says it warned about aeromedical services +3059,our country has awoken reconciliation chair +3060,act govt to review fireworks regulations +3061,investors club rejects schwarten rpc claims +3062,doubts cast over falconio murder case evidence +3063,sa govt faces court over stashed cash affair +3064,kosovo pm convenes parliament for independence vote +3065,mackay flood recedes bill to hit millions +3066,opposition calls for state pressure on federal +3067,fire on sas west coast +3068,market opens lower after bank losses +3069,amalgamated councils hold on to accommodation +3070,darwin marks 66 years since bombing +3071,nt woman assaulted after disturbing intruder +3072,swan fends off inexperience claims +3073,friend determined patel will have his say +3074,government says teachers pay claim exceeds a +3075,sacked national parts workers eligible for federal +3076,govt to act on binge drinking report +3077,rocky relieved flooding not repeated +3078,mine life job opportunities extended at kalkaroo +3079,two stabbed in surfers paradise fight +3080,woman wins case against male only club +3081,teachers could strike next month +3082,vic detectives ashamed of assaulting suspect +3083,firefighters work to stop scrub fire spreading +3084,looters in flooded mackay charged +3085,oxiana to buy out zinifex +3086,timor rebel caught others still on the run +3087,cfs battles gumeracha fire +3088,govt opposition trade blows on economic credibility +3089,rba raises interest rates +3090,teens attacker wins trial delay +3091,opposition attack over services and cost blowout +3092,consumer protection body needs to be quick wa +3093,gambling at basis of cwa fraud case +3094,macgill primed for return +3095,more than 50 dead after baghdad double bombing +3096,nelson pleads with govt to safeguard carer +3097,nz oil exports outstrip lamb +3098,japan paid solomons to attend whaling meetings +3099,tander returns to form at eastern creek +3100,govt may knock back carbon trading recommendations +3101,govt to pay carers bonus by june +3102,dolphin rescues stranded nz whales +3103,first cut andrews defends role in haneef case +3104,stingrays attracted to warm water expert +3105,wong considers payments for murray darling +3106,icc has contingency plans for champs trophy +3107,oppn slams govt over minimum wage debate +3108,womens refuges concerned over violence support cuts +3109,chaos in tibet capital as protests spread +3110,search for swimmers +3111,australian children unlikely to be in global porn +3112,turning point for disability services +3113,un nato troops clash with serbs in kosovo +3114,borroloola sex offender gets jail term extended +3115,economy has ups and downs us treasury secretary +3116,firefighters welcome cool change +3117,multi million funding boost for lgh +3118,woman lose all possessions in broome fire +3119,central darling shire discusses gms tenure +3120,trolley underpayment case dropped +3121,aboriginal legal service rejects racist slogan +3122,leader of new cold case unit named +3123,edington smashes seebohms backstroke mark +3124,kids charity cavalcade +3125,swan view fire lit deliberately +3126,chinese dams threaten cambodian forests +3127,pot bellies triple dementia risk +3128,rice stamps herself as the hunted +3129,commissioner renews calls for govt paid maternity +3130,controversy again at armidale council meeting +3131,public hospitals cant handle extra training ama +3132,thompson sidelined with torn knee ligaments +3133,henin named wta player of year +3134,strong quake rattles northern philippines +3135,accountant jailed for fraud +3136,govt small minded for 2020 ama snub +3137,growers count cost of early frosts +3138,no evidence prince philip ordered dianas killing +3139,14 russian doomsday sect members leave cave report +3140,uncertainty surrounds mugabes future +3141,alice hospital still awaiting emergency dept tender +3142,aust company secures indian mine deal +3143,domestic attack man killed woman injured +3144,steve lemdreth tells 1057 he was first on the scene +3145,rotorua undergoes stench audit +3146,thousands of victorians still without power +3147,heathrow terminal 5 in fresh turmoil +3148,hope for orroroo potable water +3149,putin to become ruling party leader pm +3150,first cut kevin rudd warms up the crowd at peking +3151,ioc in the dark about beijing terror plots official +3152,battles kill 13 in sadr city blockade eased +3153,woman charged with stabbing husband +3154,bryce declares indigenous issues high on agenda +3155,mp attacks warrnambool hospital revamp plans +3156,denman residents urged to report vandalism +3157,government still working on pay deal +3158,johnson commits future to storm +3159,confusion over bottled water ban at torch relay +3160,appeal rejected for road rage stabber +3161,injury free thunderbirds to take on vixens +3162,men outnumber women in the bush +3163,pistachio murder court hears of another fight +3164,glory leave lazaridis out in the cold +3165,man apologises for shooting death of teenager +3166,premier concedes age affected pre selection choice +3167,storm surge home to stun unlucky raiders +3168,wesfarmers announces 25b share issue +3169,desal plant opponent seeks more investigation +3170,man to face court accused of assault knife threats +3171,eddy groves back from the brink +3172,sick kids mum wants burn off delayed +3173,tasmanian olympics relay participant on his way +3174,chinas ambassador companies in contact ahead of +3175,first cut police protesters scuffle ahead of torch +3176,palm island police officer falls off balcony +3177,closer pm1 +3178,nsw hoteliers freeze political donations +3179,poor treatment of aussie sheep +3180,rsl pleased with dawn service turnouts +3181,book suggests brothers death changed bin laden +3182,police fear womens gang targeting alice vulnerable +3183,gisele tops list of high earning models +3184,green groups want core and links decision +3185,ama pushing for upgrade of princess margaret +3186,blues walloping eagles at the break +3187,burst water mains dont faze water authority +3188,company to explore geothermal viability +3189,gas leak sparks dubbo flash fire +3190,schools failing to prevent eating disorders +3191,business calls for iemma to ignore party vote on +3192,power privatisation against peoples will bic +3193,challenges ahead for tt line +3194,apy lands council impeding sex abuse battle +3195,clinton claims victory in indiana +3196,possible human remains discovered in goldfields +3197,david jones feels the pinch +3198,fiji police probe commissioner death threat +3199,league player used illegal scripts to mask injury +3200,weyman embraces bennett opportunity +3201,force dumped out of finals race +3202,launceston airport development may go ahead +3203,resenting austerity turks want no new imf deal +3204,woman credited with rescuing shark attack victim +3205,east link 5 months ahead of schedule +3206,vietnam police arrest 2 over baby trafficking to +3207,business tax reform coalition welcomes budget cuts +3208,lcc to plant carbon sink to suck up carbon stink +3209,anu uni sa to offer joint degrees +3210,land developers to get guidelines on local +3211,suicide blast kills 18 in afghanistan +3212,new study aims to take mystery out of ms +3213,ohern three shots behind in atlanta +3214,patricia reeve from the fair go for pensioners +3215,ronaldo not ruling out move to spain +3216,tiwi bosses reprimanded for breaking dry laws +3217,brisbane backpackers cleared after fire +3218,carpenter talks up geothermal energy +3219,crews battle blaze at meat factory +3220,dog cruelty case back in court +3221,neitz ends stellar career +3222,parents blamed for bus vandalism +3223,riverina pilot dies in north qld crash +3224,horsham to decide on interim councillor +3225,rudd calls for restraint in golden handshakes +3226,taiwans president ma calls for dialogue with china +3227,historic lighthouse plans up for sale +3228,mcewen ballot court challenge adjourned +3229,police pledge extra patrols as part of ravenswood +3230,roxon dismisses medicare doubts +3231,zimbabwe opposition on evil crusade mugabe +3232,miners help market make late gains +3233,auditor general urged to examine power station +3234,aid workers tentatively welcome burma pledge +3235,blatter backs australias cup bid +3236,port corp deflects criticism over pasha blunder +3237,tsvangirai to return to zimbabwe +3238,bass in the grass finishes without major incident +3239,govt to review fuel excise gst +3240,townsville troops welcomed home +3241,public comment sought on tamworth council budget +3242,flash flood kills 9 in south west china report +3243,police to assess alcohol restrictions trial +3244,govt awaits further examination of suspected wwi +3245,newman concerned over dogs used in research +3246,studios reach deal with tv actors +3247,darwin gang bashings on the rise +3248,rudd admits tough week +3249,china postpones quake hit sichuan olympic torch +3250,court sends afghan death sentence journalist to +3251,bligh willing to talk about truck petrol scheme +3252,report warns govts of new wave of homelessness +3253,research to probe bowen basing housing options +3254,coal put forward as alternative source of diesel +3255,companies make joint bid for dairy farmers +3256,woman denies manipulating euthanased partner +3257,child protection probes deadline extended +3258,obama mccain both good for australia rudd +3259,qantas engineer pay dispute continues +3260,driver ditches stolen car after crash +3261,pressure mounts over pms unanswered olympic +3262,soldiers arrive home from iraq +3263,big browns big blunder sees nt bookie pocket 250000 +3264,eating skippy still sparking great debate midday +3265,head of saddam tribe killed by car bomb +3266,senate inquiry hears case for alcohol tax overhaul +3267,aurukun rapists jailed +3268,iemma tipped to boot della bosca +3269,leading appleby far from comfort zone +3270,pm heads to aceh for aid inspection +3271,talks stalled on iraq us security deal +3272,australia poised to close out test jaques +3273,rudd praises howard for 1b tsunami aid +3274,kylie assassination attempt reports untrue +3275,golf club backs hanging rock motel development +3276,iraqi mother son sentenced over assault +3277,no relief in sight for brisbanes renters +3278,teen loses fingers when device explodes +3279,more issues to canvass in sa doctors pay dispute +3280,former teacher to stand trial for grooming girls +3281,brisbane cruise liner snub disappoints newman +3282,mugabe declares war as crisis meeting begins +3283,surrogacy laws supported in upper house +3284,shock wimbledon exit for djokovic +3285,businesses record aprilmay revenue fall +3286,coalition responsible senate leaders minchin +3287,perths population set to explode +3288,sweltering beijing raises concerns for athletes +3289,kensington fire being treated as suspicious +3290,australia a smash fiji to retain pacific nations +3291,khmer rouge minister faces genocide court +3292,market closes on worst year since 82 +3293,michael to remain as wa governor +3294,sick controllers leave airspace unchecked +3295,murdered french film producer exhumed after 12 +3296,new indigenous representatives announced +3297,steve holmes from the rural doctors association on +3298,coughlin peirsol break swimming world records +3299,govt releases paper on renewable energy target +3300,ferguson moved out of miles following protests +3301,funds boost to go to childrens ward revamp +3302,xenophon backs push for water recycling funds +3303,new jail may be culturally appropriate +3304,units may replace demolished old bar properties +3305,ohern pampling tired for fifth in maryland +3306,pakistan crushes hapless bangladesh +3307,labor cowardly if it doesnt contest mayo downer +3308,garnaut hits back at denier costa +3309,olyroos disappointed by vukovic ban +3310,arsenal ready to talk about adebayor say milan +3311,banana man seeking sticker buddy +3312,brumby wants emissions trading eased in +3313,hoon driving crow avoids jail +3314,spotlight on g8 zimbabwe sanctions +3315,nelson attacked over carbon rethink +3316,police chase ends in armed robbery charge +3317,researchers develop efficient solar power devices +3318,greenpeace activists charged +3319,wa man fails to appear in court arrest warrant +3320,govt plays down carbon trading scheme warning +3321,heavyweights fall in afl canberra competition +3322,mother jailed after stealing 145k for pokies +3323,some optus services restored in qld +3324,swan denies treasury advised against carbon +3325,circle sentencing has no effect study +3326,darwin renters warned of property scam +3327,pilgrims cheer popes motorcade +3328,opposition says power rises could hit islands +3329,greenpeace meets local groups in fight against mine +3330,report reaffirms murray darling crisis +3331,rooney tips 10 golds for aussie women +3332,zimbabwe opposition ready for talks kenyan pm +3333,chief minister says hell lead territory into future +3334,five face court over gold coast council fraud +3335,indigenous rangers lauded +3336,patel released from custody +3337,beijing games will be cleanest ever wada chief +3338,users may foot bill for murray darling meters +3339,irc asked to stop prosecutors action +3340,chavez makes peace with king juan carlos +3341,death toll rises after india bomb blasts +3342,fraser on merger +3343,green fingers prepare for national tree day +3344,thousands march in support of karadzic +3345,council excited to reclaim historic jail +3346,councillor airs police staffing fears +3347,robert french next high court chief justice +3348,tsvangirai says mugabe should get honourable exit +3349,man jailed for sexually assaulting partners +3350,aust to slip in medal tally says aoc +3351,police yet to confirm identity of body found in +3352,stranded men rescued off far nth coast +3353,teenager faces court over stolen flag +3354,woman questioned over melbourne taxi robbery +3355,ex patel patient backs doctor error laws +3356,upcoming by elections put pressure on coalition +3357,cottesloe candidate steps aside for colin barnett +3358,police to question teens over school vandalism +3359,call for fast train route to include nowra +3360,cubbie station open to fed govt purchase +3361,russia sends forces into georgian rebel conflict +3362,turkish seamen to go home after making abuse +3363,afl interview daniel pratt +3364,athletics form guide mens 4x100m relay +3365,eagles extinguish bombers finals flame +3366,nt election result still uncertain after clp swing +3367,park wins 400m hackett fades to sixth +3368,police building chemical scare was chilli powder +3369,there are serious concerns about the way dna is +3370,australian peacekeepers head to sudan +3371,body found headfirst in hole +3372,missing gold coast man found in cairns +3373,swank to bring french women to the screen +3374,trial begins terrorism book listed targets +3375,mcleod to take mantle from wanganeen +3376,minguzzi wins greco roman 84kg gold +3377,22 rebels killed in sri lanka military +3378,australia takes silver in mens fours +3379,wa police defend delay in releasing murder inquiry +3380,australias mission stop phelps +3381,act considers increasing school leaving age +3382,golden greats go gold crazy for britain +3383,bendigo community radio faces shake up +3384,budget battle looms for government +3385,croc esky released on good behaviour bond +3386,brisbane man appeals assault sentence +3387,dpi plays down chopper survey concerns +3388,opposition flags tax cuts for families and small +3389,spirit take bronze in semi final epic +3390,cancer expert appointed chief health officer +3391,cricket fans celebrate bradmans anniversary +3392,civic centre meet sees council no confidence +3393,foodworks accused of daffodil day exploitation +3394,hendra virus review welcomed +3395,vfl devils to become dead ducks +3396,patel patient anger +3397,russian troops dig in despite withdrawal calls +3398,bravery honour for murrurundi security guard +3399,green light for sandalwood oil producer sale +3400,townsville hospital in meltdown opposition +3401,cessna went into nose dive after mid air collision +3402,fairfax staff strike over job cuts +3403,dalai lama in hospital +3404,pair falls onto rocks while abseiling +3405,man steals police car drives into darwin harbour +3406,djulbic facing lengthy sideline stint for spitting +3407,flu outbreak causes delays at rhh +3408,govt making health project excuses opposition +3409,business sa welcomes rate cut +3410,labor defends misleading advertising +3411,thailand declares emergency after bangkok clashes +3412,2yo had serious head injuries before death court +3413,bushwalker missing in namadgi +3414,gillard defends strike increase +3415,mugabe to form cabinet if mdc doesnt sign deal +3416,car smashes into brisbane restaurant +3417,two charged over uk teens murder +3418,bollywood stars to raise funds for flooded india +3419,jankovic reaches first grand slam final +3420,uk market has worst falls in six years +3421,aussie javelin thrower takes bronze +3422,hurricane ike weakens over cuba +3423,libs pledge four lane midland highway +3424,council gym has unfair advantage chamber +3425,nowra residents air defence policy worries +3426,program offers indigenous students new +3427,vic govt urged to shift states food bowl +3428,police question man over carpark incident +3429,legal assistance for gas estate residents +3430,australia goes ahead with india tour +3431,ferguson hungry for more champs league glory +3432,koala to be tracked after release +3433,police probe suspicious kununurra death +3434,coalition backs delay on russian nuke deal +3435,wall street woes worsen +3436,south africas mbeki accepts call to stand down +3437,george michael in toilet drug bust +3438,new coalition frontbench announced +3439,theoklitos facing two week suspension +3440,water tower to light up in cancer research support +3441,albany to host reception for silver medallist +3442,costa resigns from nsw politics +3443,kallaroo body not suspicious police +3444,nth korea wants nuclear seals removed un +3445,rudd confident of aust economy +3446,sa riverland still battling despite rescue package +3447,bush pleads for us rescue plan +3448,fatal pillar collapse site made safe +3449,further tests underway in wake of suspected horse +3450,rudd shifts focus in nyc +3451,teen pleads not guilty to manslaughter +3452,brindabella under election spotlight +3453,european markets tank +3454,france india sign major nuclear deal +3455,goulburn mulwaree council elects new mayor +3456,police praise bravery in gun struggle +3457,japan arson suspect a jobless lonely divorcee +3458,missing mans friends offer support as search +3459,armstrongs motivation undented +3460,financial advisor chris elliot speaks to the abcs +3461,political candidate punches tv host +3462,rudd firm on capital punishment stance +3463,stosur bows out in japan +3464,sea eagles edge ahead in nrl decider +3465,fishing industry questions csiro climate findings +3466,one punch victim cant remember attack +3467,australian share market rebounds +3468,cmc not investigating townsville councillor +3469,creditors urged to vote for winery wind up +3470,too much farmland being lost to mining +3471,moira kelly of the children first foundation talks +3472,telstra urged to improve rural mobile reception +3473,psychiatrist praised for china quake services +3474,turnbull flags liberal national merger +3475,state government to consider coroners +3476,disturbing hygiene sushi world fined 61k +3477,tasmanians continue to find work +3478,expressions of interest sought for ballina harbour +3479,bali bombers execution unfair judge +3480,meteorite crash suspected near alice +3481,oecd criticises britains corruption laws +3482,nab cuts interest rates +3483,open up on britts death father urges croatia +3484,thai cambodia border dispute talks postponed +3485,6 killed in thai separatist attacks +3486,aust appoints new ramsi chief +3487,doctor tells inquest car crash victim had poor +3488,long time holden worker stewart underwood joins +3489,zaheer fined heavily after hayden clash +3490,24 drown in indian river boat accident +3491,chased car hits parked cars brick wall +3492,i had a target mccain recalls missile crisis in +3493,labor planning to consult with unions on business +3494,watch a new advertisement to promote motorcycle +3495,commercial forestry vital for economy researcher +3496,govt urged to provide more truck rest stops +3497,study confirms alcoa refinery emits unpleasant +3498,obama snatches private time with ailing grandmother +3499,severe storm warning for sunshine coast moreton bay +3500,figures show fertility rate soaring +3501,nff bids to broaden membership win back states +3502,27 killed in pakistan earthquake +3503,shire blames treasury for financial woes +3504,special school fears funding loss +3505,iraqis playing politics on security pact us +3506,pacific national selects preferred bidder +3507,pic report policewoman claims unfair treatment +3508,queensland considers jailing problem crocs +3509,9 killed in tibet snowstorms media +3510,gaddafi pitches tent for kremlin visit +3511,nz leaders launch final election push +3512,tas house prices resilient +3513,two die in great southern hwy smash +3514,blues stumble in sydney +3515,embassy bomb threats not unexpected +3516,swan dismisses crystal ball advice on emissions +3517,sydneysiders embrace cup spirit +3518,fury building side around north +3519,gillard reassures parents amid abc learning turmoil +3520,govt promises to tackle indigenous suicide +3521,jobs figures a welcome surprise +3522,rees reneges on two more promises +3523,fears ailing economy will scratch paid maternity +3524,mother emotional at balcony fall victims funeral +3525,tuckey applauds federal electorate renaming +3526,mama africas body to be returned home +3527,oberon councillors to discuss fluoridated water +3528,pharmacist jailed for sexually abusing 2 sisters +3529,bangladeshis await aid after 2007 cyclone +3530,aird joins attack on commonwealth +3531,pearling industry struggles through economic woes +3532,tiger kills man at at singapore zoo +3533,aust museum to move reserved collection +3534,moore urged to hear lobster fishers woes +3535,thais pay respect to princess at royal parade +3536,66 dead as sugar truck hits bus +3537,lavish farewell for thai princess +3538,anger aired over police communications centre +3539,gunns pulp mill appears to be shelved lennon +3540,rebels claim withdrawal from around key dr congo +3541,nsw cleared to sell graythwaite estate +3542,chopper crash victim dies +3543,lobsters keep their cool +3544,no more need for interstate milk imports dairy +3545,dam authority takes extra precautions after +3546,man pleads guilty to train sex attack +3547,mackay airport seaport set new operating records +3548,nsw moves to ease fine burden for homeless +3549,seniors group green lights budget deficit +3550,wales wary of carter like giteau threat +3551,12yr old arrested after drink drive court no show +3552,arson victims have nowhere to go +3553,mumbai deathtoll hits 100 +3554,nt aboriginal teacher vows to continue teaching +3555,paige shammall describes what happened when she +3556,bigger issues than champions league moody +3557,breakthrough helps detect malnourished babies +3558,guam educator pushes more tertiary study +3559,australians head home from bangkok +3560,more aussies arrive home from mumbai +3561,mt gambier records less spring rain +3562,treasurer wont rule out deficit +3563,years best political caricatures on display +3564,councillors reject mcdonalds minyama plan +3565,exclusive brethren guilty of genocide slavery +3566,qld govt flags two year budget deficit +3567,qld tourism green groups form environmental +3568,govt stalemate over school funding +3569,memorial held for fallen aussie soldier +3570,new car slump causing riverina worries +3571,krejza watson back in test squad +3572,olympic campaign exploits rivalry +3573,police investigate alleged bike ride sex assault +3574,redbacks wont rush tait +3575,working group urged to decide shed future +3576,former uk cricketer charged over drugs +3577,joyce takes no responsibility for poor polls +3578,n korea talks look at new chinese proposal +3579,victorian government is ignoring infrastructure +3580,irish gypsies gone +3581,nationals wont be bullied chester +3582,rebel held sri lanka facing dire conditions un +3583,child abuse accused appears in sydney court +3584,pakistan militants destroy nato vehicles police +3585,rees backs 2200 fines for nye drunks +3586,sorenstam sets up dream finish +3587,extreme fire warning for regions +3588,manslaughter for fatal punch up over water +3589,murray weir option slammed +3590,4m sought for greenough heritage precinct plan +3591,historic cottesloe pylon to be restored +3592,afghan tv comedy plays on bush shoe incident +3593,cousins admits association with murder suspect +3594,credit crunch eats away at acts superannuation +3595,growers may ignore flying fox cull ban growcom +3596,oppn moves to ban knives +3597,seven nt infrastructure projects hopeful of fed +3598,pedestrian hit and killed on princes freeway +3599,brazil france to sign arms treaty report +3600,gambhir dravid sparkle before england rally +3601,tas sailing great bennetto honoured +3602,broken hill residents urged to spend locally +3603,council drills for fresh ivanhoe water +3604,hope for light rail network to boost jobs +3605,quake pig voted chinas animal of the year +3606,aussie cba move to divide up wizard +3607,russia serbia sign controversial energy deal +3608,zimbabwean activist fronts court +3609,child injured after driving car off cliff +3610,wall st gains ground boost for gm +3611,african migrants flood italian island +3612,search resumes for shark attack victim +3613,police searching for missing darwin man +3614,6 snowmobilers killed in canadian avalanche +3615,hit by blockade and airstrikes gazas hospitals in +3616,proteas humble australia to clinch series +3617,chinas hu calls for military exchanges with taiwan +3618,brisbane celebrations welcome 2009 with new +3619,new year grenade attack wounds 22 in philippines +3620,territorians welcome new year with 100 brawl +3621,cuba celebrates revolution anniversary +3622,gaffney undecided on state politics +3623,giteau to stay in wa for 2009 +3624,many gun owners not complying with security rules +3625,dog behind mass penguin kill +3626,icc must take stand on zimbabwe +3627,russian gas flows halted as europe freezes +3628,ultralight crashes on flinders island +3629,cairns councillor uses youtube to defend record +3630,land owners urge govt to release weed review +3631,john marangoni of werribee is unapologetic about +3632,search for baby and father +3633,another rough day predicted for seq beaches +3634,at least 30 dead in peru bus accident police +3635,charlotte to intensify before reaching qld coast +3636,another shark attack snorkeller bitten on leg +3637,spielberg honoured with cecil b demille award +3638,economists warn dollar likely to stay low +3639,govt gives 150000 for flood ravaged fiji +3640,addict says crime spree was driven by desperation +3641,four to face court over alleged abalone theft +3642,great southern harvest nears end +3643,wesfarmers considers dividend cut +3644,farmers urged to avoid spontaneous hay combustion +3645,rees visits sydney bushfire zone +3646,nadal gives murray the seal of approval +3647,ivanovic brushes off cobwebs roddick through +3648,riverland tourism strong despite drought economic +3649,rock throwing victim urges tougher penalties +3650,call for new nbl club applications +3651,mining industry suppliers feel downturn pinch +3652,police threaten industrial unrest over resourcing +3653,indian pm expected back at work in a month +3654,baroness de reuter last link to news dynasty dies +3655,food centre help closer at hand +3656,bundaberg real estate industry rejects housing +3657,indigenous school attendance program discriminatory +3658,researchers discover blood pressure dementia link +3659,blanket economic coverage +3660,buswell announces initiative to cut back red tape +3661,build sports stadium opposition +3662,hughes focused on nsw not s africa tour +3663,1 dead 2 critical in overnight accidents +3664,20 million chinese workers axed +3665,airline tries to save inverell sydney route +3666,donation disclosures reveal alps chinese business +3667,japan gripped by sumo pot scandal +3668,tassie woman scores 1m lotto win +3669,residents urge rezoning public hearing +3670,low key start to ralphs bay public briefings +3671,oil found near moomba +3672,darcey freeman family statement +3673,mum alarmed over school guns find +3674,rees pledges swift action on stimulus funded +3675,rescue efforts continue as ingham floods subside +3676,carreras lifts leukaemia sufferers spirit +3677,tough going for aussies at mcg +3678,libs urge dialogue on new education platform +3679,lpga founding member dies aged 89 +3680,marriage over for peaches geldof +3681,fight or flight tears apart elderly couple +3682,rfs warns of north coast fire danger +3683,defence project signs 10 apprentices +3684,no paper no news in guinea bissau +3685,arrest of sudanese president could have world wide +3686,wee dram hindu group launches cows urine drink +3687,nine bolivians killed by dengue fever +3688,police still to recover mans body from tully gorge +3689,woman jailed over latrobe valley fires +3690,act esa manager darren cutrupi reads from celia +3691,australian defence minister joel fitzgibbon speaks +3692,rare seal nursed to health and back in wild +3693,blue gum harvest could happen without woodchip +3694,council hopes airline academy boosts defence +3695,bushfires stay or go +3696,toowoomba teen charged over police assault +3697,interview lucas pantelis +3698,sizzling mickelson surges ahead ogilvy loses touch +3699,vidmar admits comments may have hurt crowd +3700,aussies miss out on oscars +3701,call for library design to include visitor centre +3702,unlocking secrets of arthritis agony +3703,china rejects swapping stolen relics for human +3704,clubbing provokes clan riot +3705,brumbies keen to contain force +3706,residents angry at gracetown rezoning proposal +3707,rural australia loses a little bit of history +3708,gang film pulled after violent outbursts +3709,30m asteroid to have close call with earth +3710,first home buyer grant boosts housing industry +3711,workers body found compacted in paper block +3712,group mulls media curbs to tackle negative body +3713,man stabbed in workplace dispute +3714,site acquired for act indigenous rehab centre +3715,genes check leads to gecko discovery +3716,moody discusses attack on sri lankan cricketers +3717,economic focus for china congress +3718,iran says nuclear plant to start by september +3719,lnp launches qld debt election message +3720,stephen mcdonell reports on day one of the +3721,calls to reinstate aerial shark patrols rejected +3722,rabbiting on junior winner a rabbit tale +3723,schizophrenia sufferer not guilty of stabbing +3724,the lobbyist and former wa government minister +3725,thousands to flock to wagin woolorama +3726,2 critical after race day plane crash +3727,imf says it failed to spot financial crisis +3728,suicide attack kills 28 at iraq police academy +3729,asylum seekers interrogated by chinese officials +3730,council future strategy incorporated into regional +3731,labors uranium mining policy mischievous +3732,jim wallace head of the australian christian lobby +3733,police appeal for broome murder victim info +3734,bill hoffman they said it +3735,liberal mp iain evans tells chris mcloughlin about +3736,mannus jail teachers to strike over pay +3737,brumbies coach hails resilient display +3738,garrett ready to rock sound relief +3739,eels boss to propose booze ban +3740,finch defends two refs after hasler attack +3741,govt asked to rethink docs caseworkers decision +3742,two dead baby and woman also stabbed +3743,banks may offload debt to highest bidder report +3744,cba announces mortgage deferments for unemployed +3745,traditional owners to establish bush visitor +3746,im sorry fritzl admits murder enslavement +3747,job funds to help migrants indigenous reformed +3748,black a major doubt for round one +3749,british councils crack down on weasel words +3750,china has vast dark spy network defector +3751,greens rally for woodchip mill closure +3752,baby elephant walk +3753,whincups title defence off to winning start +3754,bg group claims 70pc stake in pure energy +3755,wheatbelt eligible for dominic disaster relief +3756,fears councils facing big super costs +3757,mother on trial over daughters death in house fire +3758,firefighters tackle more east gippsland blazes +3759,swan guarantees states borrowing +3760,sydney on edge after new suburban shooting +3761,carlton crushes sorry tigers +3762,man to plead guilty over chemist hold up +3763,work to start soon on new norseman holding cells +3764,act mother of the year a champion for childrens +3765,mp says cross border transport report doesnt exist +3766,trio flee wagga unit blaze +3767,potentially toxic algae bloom threatens murray +3768,turkish party leaders body found in crash wreckage +3769,police seek witnesses to attempted abduction +3770,g20 leaders get down to business +3771,22 jobs to go at castings factory +3772,act solar water heater sales go through the roof +3773,new push to protect penguin species +3774,viduka still in verbeeks plans +3775,urban misses out on country musics top award +3776,doctor to face second trial on sex charges +3777,police say acid burns death was murder +3778,broncos survive late roosters onslaught +3779,cambridge museum rediscovers darwin egg +3780,more financial challenges ahead wen warns +3781,woody harrelson accused of assaulting paparazzo +3782,10 arrested over casino bikie fight +3783,figures reveal high walgett homelessness rate +3784,landholders warned of locust inspections +3785,royal hobart surgery crisis +3786,vic govt knew triple zero would collapse +3787,canberra capitals forward abby bishop speaks about +3788,cybercrime more than doubled in 2008 +3789,gas hub agreement reaches second deadline +3790,rose byrne joins greek chorus +3791,another algae alert for murray +3792,malcolm turnbull they said it +3793,nadal and murray through in monte carlo +3794,three dead in victoria bus crash +3795,mcdonald fires celtic closer to title +3796,more children caught breaking northbridge curfew +3797,alleged people smuggler to face aust court +3798,fire death inquest resumes +3799,water prices will be among nations lowest +3800,aust made plasma thruster facing space test +3801,driver loses appeal over fatal accident jail term +3802,girls murder still affecting rockhampton +3803,man jailed for starting five bushfires +3804,hands off future wealth +3805,mental illness takes centre state +3806,former labor mp rod sawford explains his use of +3807,nt opposition sees holes in broadband plan +3808,priest jailed for abusing altar boys +3809,human remains found near brisbane river +3810,swine flu fears as nz students quarantined +3811,xenophon calls for cancer treatment u turn +3812,act education union spokeswoman penny gilmour and +3813,ay chihuahua this little puppy blown from market +3814,concerns for 22 australians +3815,banks ordered to pay 15b to bell liquidators +3816,drug centre needs local staff apy leader +3817,figures show falling central west population +3818,two arrests over northern suburbs attacks +3819,mincor reports lower costs +3820,accused nazi guard faces deportation from us +3821,clinton fears china irans gains in latin america +3822,information caravan installed over diamond ring +3823,israeli air strikes kill 2 in gaza tunnel +3824,inquest opens into womans death in custody +3825,no back pain relief for pack mule workers +3826,feral camels running amok across 3 states +3827,north coast travellers get swine flu all clear +3828,police warn moree residents to lock it or lose it +3829,last laugh no encore for fawlty cast +3830,thousands apply for abuse compensation +3831,i apologise hamilton smith +3832,wa labor calls for better training incentives +3833,hundreds stood down by agribusiness property +3834,police want community approach to stop mullewa +3835,time to rethink the first home owners grant +3836,budget fallout +3837,mixed reactions to riverina budget allocations +3838,hepburn shire pushes for train guarantees +3839,oprah apologises to author james frey +3840,politicians get 5k electoral allowances +3841,boat capsizes off somalia 15 dead +3842,hold your horses +3843,police cop warning over file leaks +3844,pregnant wife to ask for bikie bail +3845,woman charged with attempted murder +3846,refs must be held accountable too moore +3847,miners banks lead market recovery +3848,bermagui fire could spread amid dry conditions +3849,bar mat mum arrives home +3850,father gambled while daughter died +3851,hentschel injury a blow for crows +3852,fan charged over nrl referee attack +3853,gilchrist blasts deccan into ipl final +3854,agriculture department inspects gm canola crops +3855,government house in adelaide will be open to the +3856,locals rally against greyhound racing shutdown +3857,murder trial told dead girl had autism +3858,90 dead cylone rips through bangladesh india +3859,hunt for geraldton foreshore thieves +3860,traffic jam for dalrymple coal ships +3861,much riding on chinalco deal for bowen joyce +3862,police step up patrols in palmerston +3863,sri lanka avoids war crimes probe +3864,a load of garbage +3865,suu kyi ill court delays trial +3866,venus crashes out at roland garros +3867,australian swine flu tally hits 303 +3868,nato ends georgia war games +3869,paedophile linked to missing morcombe case +3870,greens move to ban duck hunting +3871,israel us rift widens +3872,account deficit down building approvals up abs +3873,beatles come together for game launch +3874,gladstone hospitals outpatient appointments up +3875,report from the tiananmen square firing line +3876,chinalco deal falls over as bhp steps up +3877,dob in a bikie day +3878,red wings push penguins to the brink +3879,boat explosion accused people smuggler in court +3880,revised plans for old hospital site +3881,shock exit will not dent ashes confidence ponting +3882,bradshaw expected to play forward against hawks +3883,premier announces q150 icons +3884,tadpole downpour stumps japanese meteorologists +3885,taliban commander killed in afghanistan us +3886,arson accused to seek dropping of charges +3887,hobbies go fulltime +3888,50 million lottery winner plans to grow better carrots +3889,ogilvy expects no late charges at us open +3890,sleeping womans tattoo nightmare +3891,another british mp resigns over expense claims +3892,aust records first flu related death +3893,media monitors axes 103 jobs +3894,narrogin council moves to address racism +3895,swine flu continues to close qld schools +3896,monaco police arrest pink panther +3897,flood watch for orara bellinger rivers +3898,mousavi tells supporters to stay defiant +3899,accused gun bandit linked to opal heist +3900,man wanted over armed tavern hold up +3901,declining whale numbers turning off tourists +3902,rick rockliff describes the problem to the world +3903,tenders to be considered for a goulburn pipeline +3904,crucial information blocked on black saturday +3905,3m to target cycling trail +3906,black box found +3907,information delays hamper child drowning probe +3908,uncertainty remains over robertson oval revamp +3909,us launches taliban assault +3910,9 arrested after drugs bust +3911,bishop calls to extend nt intervention +3912,deficit dangers +3913,polls not wrong turnbull +3914,snow storms hit victoria +3915,kilbys considerable record collection +3916,cancellara steals the show in monaco +3917,fear of flying africa correspondent fesses up +3918,govt chips in to help save wayside chapel +3919,libs seek greater representation in braddon +3920,kirners development plea +3921,three new dinosaurs found in central west qld +3922,more changes to the blues squad +3923,an australian employee of rio tinto has been +3924,armstrong just misses yellow jersey +3925,bank closure stops all business in png province +3926,griffith ag research station to close +3927,housing finance records another rise +3928,want to earn 100k try casting a spell +3929,welfare group applauds homeless funding +3930,garrett secret uluru plan preposterous +3931,interview kevin pietersen +3932,police to use infringement notices discretion +3933,aussies chasing first innings lead +3934,interview shaun grigg +3935,philippines militants distracting military to +3936,yes i did graffiti charge for obama portrait maker +3937,a woman is leading a major party in sa for the +3938,chavez behind honduran unrest micheletti +3939,the abcs nadine roberts looks at mondays share +3940,corner concept plans to go on show +3941,spongebob squarepants turns 10 +3942,court reporter joanna menagh talks to abc 720s +3943,optimism over sa swine flu vaccine trials +3944,police back drug driving crackdown +3945,political solution sought for russia roo ban +3946,cavendish wins 2nd straight tour stage +3947,hughes ready for lords challenge +3948,stand up and be counted +3949,island phone disengaged +3950,missing 70yo bushwalker alive and well +3951,more details emerge about jakarta bombings +3952,racing for the stawell gift +3953,muslim model faces caning for drinking beer +3954,report reveals drought agriculture impact +3955,abalone black market busted police +3956,high price to pay for local groceries +3957,team turns its back on faltering evans +3958,interview nathan cayless +3959,thompson tips record spree in rome +3960,call for more info on education plan +3961,indigenous girl turned away from hospital +3962,buswell focuses on karratha businesses +3963,interview michael voss +3964,knee reconstruction for crows martin +3965,rural health crisis forgotten +3966,a win for nsw drovers over stock routes +3967,cancer fraudster admits deception +3968,rollers continue winning form +3969,union denied rail plan details +3970,export facility brings stability to blue gum +3971,power boss ponders late changes +3972,bittersweet day for record breaker ponting +3973,labor turns down gay marriage +3974,us data points to gradual economic recovery +3975,scheme aims to pull plug on cyber bullying +3976,anz picks up rbs asian businesses +3977,rare find can benefit landholders +3978,tough road to recovery anz boss +3979,japan jury trial jails man for murder +3980,lee ready for ashes +3981,office to let record drop in rental demand +3982,swine flu prompts plea for employer flexibility +3983,interview michael ennis +3984,rangers catch up with french kangaroo +3985,ex minister calls for youth psychiatric centre +3986,new chair for aboriginal royalties body +3987,radio rape scandal sparks major review +3988,winery unhappy with compo ruling +3989,fast food attack leaves man in hospital +3990,bodies recovered from png crash +3991,nz shop robber leaves contact details +3992,astronomers spot new type of death star +3993,bobcat charges laid +3994,man dead in lonsdale smash +3995,sneak peek at showbag offerings +3996,interview mark williams +3997,robbers jail term doesnt match accomplices +3998,garcia leaps into greensboro lead +3999,struggle for survival +4000,police attacks brumby says no to stronger penalties +4001,govt urged to clear fruit growers debt +4002,minister advises patients to call triple 0 +4003,paramedics shortage weighing down air ambulance +4004,shire seeks more merger consultation +4005,parents pick up kids and groceries from school +4006,council welcomes gorgon opportunities +4007,man jailed for sex with teen +4008,tenterfield fires nearly contained +4009,gippsland man named victorias top dad +4010,maos last dancer is australias top dad +4011,intimidation forced noel out of oasis +4012,abalone virus outbreak +4013,stabbing murder trial underway +4014,bomb hits athens stock exchange +4015,bulldogs face finals selection headache +4016,holding rescue reignites beacon debate +4017,no guarantee over nylex entitlements +4018,qld toughens laws for juvenile offenders +4019,murdered teens parents welcome 18yr sentence +4020,spotlight falls on council rates coastal erosion +4021,refreshed knights ready for anyone +4022,injury prone hawk calls it quits +4023,push on for ravensthorpe esperance merger +4024,qld electricity pricing flawed report +4025,researchers concerned about hendra funding +4026,rally to defend red gum logging +4027,southern farmers head to ord for rice revival +4028,acttab to remain part of vic betting pool +4029,smoking biggest factor in aboriginal deaths +4030,man robs supermarket with tomahawk syringe +4031,interview tarkyn lockyer +4032,skills training rushed underfunded tafe +4033,tony kelly demotion disappoints police association +4034,union appeals for intervention over utas dispute +4035,australian goss wins paris brussels +4036,auxiliary officers to boost police force +4037,federer reaches sixth straight open final +4038,38 killed in indonesian flash flood +4039,del potro takes us open +4040,tandou takeover bid no surprise +4041,teenage smoking down +4042,central west road toll double last years +4043,hero horse in line for bushfire bravery award +4044,interview richardson pappas +4045,tonga ferry safety fears could spark riots +4046,auditor general to probe 500000 grants +4047,david boon talks to local radios tim cox +4048,interview andrew strauss +4049,paedophile ferguson put up in luxury hotel +4050,suu kyi appeals detention sentence +4051,second death sparks police waterfall drowning +4052,children injured while walking to school +4053,inquiry told stimulus destroying our savings +4054,interview bonita mersiades +4055,program backed despite paedophile blunder +4056,business editor peter ryan with fairfax board +4057,hunter expected to feel coal demand decline +4058,proteas must win or wilt in trophy +4059,lnp drops plan to appeal chatsworth ruling +4060,i call shotgun tourist weds rickshaw driver +4061,new undies have left hand angle to their dangle +4062,fletcher wins liberals preselection for bradfield +4063,geelong vs st kilda highlights +4064,motorhomes rev up in rockhampton +4065,police pay tribute to officers killed in line of +4066,award recognises marine rescue efforts +4067,communism has lost its way +4068,short term reprieve for fuel station +4069,sub project unions promote alliance +4070,defence told to clean up creek contamination +4071,england rout doesnt count ponting says +4072,police chase driver locks himself in a house +4073,feature director says screen tas wouldnt help new +4074,sixers on the board over breakers +4075,car stolen with child inside +4076,coles bay gets bogged down in toilet fight +4077,bushfire aid not finding way to local victims +4078,firms taken to cleaners for underpayment +4079,sumatra scales down rescue efforts +4080,victorious storm fans heading home +4081,nt govt under fire for alice housing woes +4082,senator bill heffernan talks to the country hours +4083,send more troops or lose the war howard +4084,fishway plans put to heritage council +4085,fran bailey announces retirement +4086,brisbane balcony inquest adjourned +4087,plan to address wheatbelt health gaps +4088,shallow 64 quake hits vanuatu region +4089,council admin centre to house supermarket +4090,police still probing warners bay crash cause +4091,interview trevor barsby +4092,australia ii crew breached rules +4093,proposed laws could help banks spy on bills +4094,child survives train accident +4095,crews battle widebay fires +4096,goldman profits but home defaults surge +4097,govt defends record on top jobs +4098,stanhope open to congestion tax +4099,firework warehouse blaze kills 32 +4100,gallant hawks retain unbeaten home record +4101,climate protesters storm power station +4102,rebellion against party politics +4103,the attorney general chrisitan porter says western +4104,grain rail report tipped to back user pays scheme +4105,plane wheel disintegrates on landing +4106,shipping container to house mentally impaired +4107,council probes hospital demolition cost +4108,creek body is missing wei chen +4109,dalwood move sparks working party +4110,interview chris hartley +4111,thompson out to shake docklands doldrums +4112,union defends planned teachers strike +4113,interview anthony mundine +4114,redbacks not panicking just yet +4115,human activity hurting waterways +4116,bulls vs warriors one day wrap +4117,slater ponders a tough year +4118,govt launches 17m fruit and vegetable network +4119,barmah fuel reduction burn not enough +4120,aussies bat first in third one dayer +4121,council investigates balcony collapse +4122,karzai declared afghan president +4123,pavilion earns community gong +4124,residents embrace recycling rollout +4125,1m defamation case could bankrupt mp +4126,cockleys call up caps meteoric rise +4127,developer told building too tall +4128,faint perfume delivers cummings another oaks +4129,irrigators get 45m lifeline +4130,man pleads guilty to murdering baby son +4131,wes judd says there are good reasons for different +4132,blues vs warriors first session summary +4133,homeless centre for east perth gets funding +4134,they said it vampires facebook comment +4135,no federal funds for wave power project +4136,shrine fears hitlers home hits the market +4137,asset sales being rushed langbroek +4138,coalition mps deny man made climate change +4139,irrigators to pass on experience +4140,residents rally against hospital delay +4141,accc gives green light to woolies hardware +4142,hundreds mark remembrance day in nt +4143,govt rejects police stun guns +4144,investment woes wont impact patients +4145,sixers scent nbls top spot +4146,the battle over the beeliar wetlands +4147,bushrangers vs warriors innings summary +4148,crowley eyes dockers return +4149,fake julie bishop dupes followers +4150,feral dog problem under control inquest hears +4151,hall wont lag in fitness eade +4152,parents offered dalwood school staff assurance +4153,rescue plan for technical colleges +4154,clarke in melbourne to promote gold coast +4155,windies battle through first session +4156,family friends farewell political veteran pead +4157,channelling the gulf +4158,kimberley scoops state tourism awards +4159,rann vows to sue over sex claims +4160,safety warning issued to jetty jumpers +4161,sa nationals elect first female president +4162,commission calls for bunker standards by next year +4163,melbourne magistrate charged with assault misses +4164,mining blamed for turning river black +4165,number of young home owners declining +4166,kids plight forces macklins hand on income +4167,dog attack victim pays for own evacuation +4168,interview michael voss +4169,vandals hack at massive knitted artwork +4170,genoa outruns samp in colourful derby +4171,more than 70 dead in barge sinking +4172,teen charged over cbd stabbing +4173,tv story of the re launch of the historic boat +4174,deputy mayor to take on hale in federal election +4175,class of 09 gaffes squabbles and power plays +4176,woodside responds to strike by contractors on +4177,officers hail new bullet proof vests +4178,tutu blesses australias world cup bid +4179,bypass uncertainty worries cane farmers +4180,snowy shire wants to go it alone on sewerage +4181,tote sale price too high +4182,grandstand reflections joel garner +4183,port concerns prompt fears for hobarts antarctic +4184,s korea takes bronze over dutch +4185,local councillors expected to accept pay rise offer +4186,sri lanka war crime allegations surface +4187,aboriginal lands boss in permit fight +4188,protecting platypus country +4189,trade college to offer more study options +4190,400 million upgrade for box hill hospital +4191,consumer confidence eases in face of rate rises +4192,heinz offers new pay deal +4193,trade deficit soars on export slump +4194,abc reporter james mchale speaks to the muas chris +4195,dna bungle shows lessons not learnt +4196,doors to close on youth training scheme +4197,kununurra land release bungled +4198,truckie rescues lost seal pup on highway +4199,bulls vs blues first session summary +4200,minibus crash injures passengers +4201,violence mars copenhagen climate protests +4202,epa finds dentrecasteaux road unacceptable +4203,new beds for canberra hospital +4204,premier not rushing johnston return +4205,abused children housed in motels caravan parks +4206,asic appeals against onetel decision +4207,charges laid after drug lab raids +4208,crews battle londonderry blaze +4209,govt held to account on road fix pledge +4210,roar confident of w league repeat +4211,emergency beacon sparks search for plane +4212,infamous auschwitz work sign stolen +4213,tigers vs pakistan day two summary +4214,nrc recommends red gum national parks +4215,fortescue decision today +4216,interview chris gayle +4217,talks to provide help for fire towns +4218,carbon neutral rail sleeper on track for trial +4219,more bushfires this season +4220,prime ministers christmas message +4221,governor 84 resigns amid group sex scandal +4222,interview mohammad aamer +4223,public helps nab alleged teen arsonist +4224,fire ban closes walking tracks +4225,girl survives glasshouse mountains fall +4226,botched plane bombing puts focus on yemen +4227,fears of bloodshed after drug barons arrest +4228,holiday bookings strong in great lakes region +4229,murray defends davis cup decision +4230,wa warned more bushfires on the way +4231,interview archie thompson +4232,interview kim clijsters +4233,vince vaughn weds girlfriend in private ceremony +4234,labor governments helpless on water +4235,manslaughter charges against png crash pilot +4236,obama buck stops with me +4237,police probe link between chemist break ins +4238,chinese officials smuggle 53 billion overseas +4239,democrat senator pilloried over obama comments +4240,n ireland leader urged to quit over sex scandal +4241,queensland health issues mosquito disease warning +4242,regional councils propose strategic alliance +4243,southern states face fire catastrophe +4244,summernats revs up +4245,wet period ends in central australia +4246,woolgoolga wins hosting rights for irb competition +4247,mundine outpoints medley +4248,google threatens to quit china over spying +4249,juveniles to be charged after crime spree +4250,insurance impacts on use of community barge +4251,interview tom moody +4252,un representative on haiti quake +4253,lock up your guns residents warned +4254,doctor numbers rise in wa +4255,blues vs redbacks twenty20 summary +4256,desperation in haiti as aid attempts struggle +4257,group says bring back show day holiday +4258,interview paul kelly +4259,miner on the hunt for gold +4260,royal tribute +4261,average wine grape yields forecast +4262,brown to face iraq war inquiry +4263,stars urge haiti donations in live appeal +4264,premier promises more police +4265,tour down under andre greipel +4266,tour down under rohan dennis +4267,bodies recovered from ethiopian airliner +4268,fowler to stay with fury +4269,listen to the extended interview with andy pitman +4270,police search for a woman seen in murdered mans +4271,suspicious liquid sparks airport evacuation +4272,water bombers tackle mid north fire +4273,broken hill celebrates australia day +4274,government quizzes private equity on tax concerns +4275,mp wants youth curfew +4276,ban pool cues ashtrays in pubs ambos +4277,ban pool cues from pubs paramedics +4278,drug ring smashed say police +4279,interview george bailey +4280,nude volunteers needed for opera house strip +4281,blues rookie on a cloud +4282,interview simon katich +4283,pakistans chief selector falls on sword +4284,pontoon lost in wild weather +4285,62 magnitude quake hits off png +4286,rate rise a guaranteed certainty +4287,black saturday memorial plans set for release +4288,bullish news corp result buoys murdoch +4289,disability advocate mary guy remembered +4290,jill emberson talks to craig hamilton about willie +4291,liberals pledge no plastic bags +4292,property raided after darwin firebombing +4293,inspectors threatened over shipping checks inquiry +4294,life imprisonment for killing baby son +4295,child burn injuries spike over summer +4296,downpour boosts sydney water levels +4297,brother charged over glassing attack +4298,credit experts line up to rebuff joyce +4299,uranium transport options revealed +4300,man convicted of restaurant arson +4301,chinese new year preparations +4302,credit card spending up +4303,parents get swine flu vaccination reminder +4304,task force hopes to recruit new doctors +4305,colin barnett explains why hes standing his ground +4306,five sydney men jailed over terrorism plot +4307,demand for emergency housing skyrockets +4308,greens senate candidate lin hatfield dodds +4309,womans partner accused of scissors stabbing +4310,charity in demand from sacked meatworkers +4311,warriors vs tigers one day summary +4312,gayle laughs off series win bluster +4313,greens sign election pledge guarantee +4314,mary mackillop to be sainted +4315,diamonds lose thriller to england +4316,driver killed after crashed car burst into flames +4317,ferrer ferrero in all spanish decider +4318,stirling dam revamp finished +4319,the hias senior economist ben phillips discusses +4320,cheney hospitalised with chest pains +4321,cattle council mad over pie protest +4322,qtcs artistic director quits +4323,fatal yacht crash inquiry blames gps +4324,rudd on the passport link +4325,vff for and against +4326,drag racing ahead of mardi gras +4327,finch chasing super league deal +4328,epl to launch new tv channel +4329,libs promise to go back to drawing board with bay +4330,no help for australian caught up in dubai hit +4331,bellamy doubtful over wcc expansion +4332,relay teams walk for cancer +4333,the real deal on tax cuts for tv +4334,crows urged to reconsider adelaide oval move +4335,mayor defends surf carnival nod +4336,council probes impact of bigger grog licence fees +4337,parkinson fanning loom as final contenders +4338,pilbara police target hoon drivers +4339,p plater loses appeal against jailing +4340,matheson wont desert struggling fury +4341,pair join victorian honour roll for women +4342,interview shawn redhage +4343,children banned from brisbanes anzac day marches +4344,more parklands plan upsets pro parks group +4345,police campaign targets car break ins +4346,police fear for missing woman +4347,sanzar begins search for ceo +4348,the red cross cathy hockings says fears about the +4349,cancer survivors message of hope +4350,strikes inevitable as ba talks break down +4351,tahu endures torrid return +4352,invasion hoax sparks panic in georgia +4353,rba reluctant to regulate credit card fees +4354,company fined 60k over filipino worker death +4355,fears rudd health plan to put pressure on resources +4356,gaga health scare reports rubbished +4357,se qld population growing too fast +4358,the drop in centre on wheels +4359,privately run public hospitals opposed +4360,sabotage behind fatal asylum boat blast +4361,unchanged tahs not underestimating force +4362,anti hoon amendments rejected +4363,davy crockett star dies +4364,dispute over handcuffing after hospital escape +4365,interview cameron white +4366,new road ahead for ousted labor minister +4367,rahles rahbula snags another bronze +4368,27 year old sex abuse claims in court +4369,sheep innards dumped by coliban river +4370,parker likely to miss warriors clash +4371,positivity the best policy as rudd tweets ahead +4372,former bishop begs for victims forgiveness +4373,15yo girl charged under skyes law after chase +4374,bus shake up wont fix all traffic woes council +4375,torres strait councils struggling with +4376,brumby says new exhibition centre a jobs magnet +4377,disability party on verge of historic win +4378,greek bailout proposal raises central banks ire +4379,maritime history buffs hope tourism tide turns +4380,accused cant remember binding gagging victim +4381,pet sale laws need policing rspca +4382,high rolling in nimbin +4383,council celebrates lehman brothers ruling +4384,shire shrugs off population slump +4385,toads get hopping ahead of quakes +4386,clijsters takes care of stosur in miami +4387,interview graeme wood +4388,macklin eggs would be parents on for easter +4389,irish catholic church losing all credibility +4390,cancellara takes flanders crown +4391,leeuwin to sail on +4392,slow going in three peaks race +4393,accused armed robber in court +4394,audit reveals underpaying security firms +4395,brumby unveils alternative health plan +4396,fraser welcomes drop in qld jobless rate +4397,health service denies nurse shortage +4398,interview tim sheens +4399,mckenzie punts on mobile reds +4400,restored convict bridge unveiled +4401,praise for prisoners to footy refs program +4402,interview chris mayne +4403,poland president killed in plane crash +4404,no huff and puff rann defends health negotiations +4405,wa could benefit from extra health funds +4406,wozniacki defends ponte vedra title +4407,media ban as bartlett government sworn in +4408,odonnell banned for three weeks +4409,pm threatening to punish the sick brumby +4410,aged care funding should be distributed evenly +4411,inu accepts he may be moving on +4412,abbott saddle sore but satisfied +4413,gunners lose vermaelen for three weeks +4414,planets water cycle intensifies +4415,tax bungle refunds sent without cheques +4416,obama monkey slur a joke says young lib +4417,khatami banned from leaving iran +4418,interview nathan cayless +4419,mystery kingston development overturned +4420,cavs take two game advantage to chicago +4421,council seeks swim centre input +4422,four charged over retirement village robberies +4423,mareeba man questioned by police over mothers death +4424,new cancer services offer more choice +4425,uncertainty over mealybug outbreak spreading +4426,abuse victim backs popes pledge +4427,illegal worker arrests spark warning +4428,qld government should not appoint hospital boards +4429,army chief warns against red shirt crackdown +4430,bulldogs legend steve mortimer on the melbourne +4431,interview luke patten +4432,man pleads guilty to manslaughter over nightclub +4433,interview rob moodie +4434,biebers oz show axed after crowd crush +4435,clarke hopes ipl survives modi dramas +4436,thailands pm warns authorities will retake the +4437,young people flock to anzac day services in s e +4438,aftermath of walkway collapse +4439,govt says developer infrastructure fees remain +4440,part 2 of the nsw country hour broadcast from +4441,walkway collapse student plays down bravery claims +4442,palmer on track for dockers return +4443,matt preston crowned tvs best new talent +4444,rogers retains lead in romandie +4445,amateur video policeman caught kicking protester +4446,navy stops another asylum seeker boat +4447,shoot to kill order after school knifings +4448,swan on song with superprofit tax +4449,auditor general criticises govt reporting +4450,frustrated priest becomes internet hit +4451,insurance deal secured for midwives +4452,mangosteen crop breaks all records +4453,property council backs west dapto land release +4454,government should take back control of power prices +4455,director accused of whitewashing war hero +4456,thai pm issues ultimatum +4457,website reveals mixed results for hospital +4458,aged care nurses face uncertain future +4459,dust storm prediction professor patrick de +4460,five dead in black day on vic roads +4461,no deal in sight as red shirts continue rally +4462,teachers worked unpaid overtime for naplan union +4463,ballymore upgrade finally over the line +4464,vitamin d use in preventing falls questioned +4465,family finds guns in secret compartment +4466,roos out to break crows hoodoo +4467,philippines fire leaves thousands homeless +4468,threat averted on flight to canada +4469,anti forestry lobby urged to come around at talks +4470,bhp launches shareholder campaign against super tax +4471,council reveals rate rise slug +4472,preservation hopes for surf house motif +4473,car left hanging on bridge after crash +4474,doctor complaint process drags on +4475,qld forestry asset sells for more than 600m +4476,time running out to save mural +4477,warrant issued for dangerous sa criminal +4478,councillors avoid conflict of interest prosecution +4479,family never trusted murderer campbell +4480,interview ross lyon +4481,officer acquitted after assault trial +4482,richie portes parents speak +4483,smith growing in confidence +4484,ec snub shows enormous gap in govt policy +4485,investors spooked by mining tax says hockey +4486,moore opposes yellowcake through kalgoorlie +4487,mock rescue worked despite causing hypothermia +4488,racing industry amalgamation under fire +4489,mourinho set to quit inter for madrid +4490,champs elysees goes green for farmers +4491,coal industry unveils bid for qld rail tracks +4492,council seeks plane noise compo +4493,murder suspect mansell to remain in townsville +4494,socceroos set off for south africa +4495,tigers sign boomer helliwell +4496,authorities knew about dangerous dam +4497,next 24 hours crucial in top kill operation +4498,drivers asked to put brakes on road deaths +4499,greens backtrack on changing bushwalkers paradise +4500,fears for rare monkeys stolen from enclosure +4501,feminism not to blame for girls gone wild +4502,bp admits being unprepared for oil spill +4503,irrigators get green light for infrastructure fix +4504,new greenhouse gases accumulating rapidly +4505,crows send edwards out a winner +4506,south korea urges action over chenoan crisis +4507,an interview with former station owner majory +4508,face to face with feral pigs and the trespassers +4509,fraser hands down qld budget +4510,pandas help push zoo numbers up 70pc +4511,inquest to probe serial killers death +4512,marine rescue service ignored in budget +4513,mining tax debate wont stop wider reform tanner +4514,online gambling sites accused of flouting the law +4515,police seek help locating parole breaker +4516,protesters call for equal pay for women +4517,traffic warning after truck rolls near f3 exit +4518,man killed on princes highway +4519,one of australias oldest pilots takes off again +4520,plan to keep search history angers internet +4521,interview ivan henjak +4522,poor planning drags sydney back to 6th place +4523,nz reaches maori rights agreement +4524,no one helped wandering toddler witness +4525,child protection in nt not very good minister +4526,guilty after fatal attack targets wrong man +4527,thomas now a target say roos +4528,desal plant regions best option for agnes water +4529,carter runs riot against wales +4530,councillor criticises wide bay regional plan +4531,fans go the full bottle +4532,fire destroys house +4533,historian scours outback for l traces of leichhardt +4534,truck and car collide in south west +4535,wa strikes royalty deal with rio bhp +4536,funds to help shires rebuild after floods +4537,mayor urges permanent staff boost for emerald +4538,tate puts family first in cowboys deal +4539,jail term for house arson +4540,jetty restrictions outrage local anglers +4541,cameron buys up gunns land +4542,interview wayne bennett +4543,kerr takes big lead at lpga championship +4544,quake strikes off indonesia +4545,policeman charged with assault in club +4546,fatal birthday stabbing son in custody +4547,interview mark gasnier wayne bennett +4548,warriors locke cleared of serious injury +4549,land tax changes passed by sa parliament +4550,spains villa rallies behind torres +4551,government websites to get disability access revamp +4552,malouda blames system for french flop +4553,17 cars targeted by thieves +4554,expert warns against complacency on aids +4555,fantastic fireworks light up washington +4556,interview rini coolen +4557,launceston takeaway robbed again +4558,price will be with us says petero +4559,qbe buys belgian reinsurer for 397m +4560,residents reject wind turbine report +4561,boyd gives maroons early advantage +4562,greek drug accused held in australian jail +4563,spain offers no clues on torres +4564,interview nate myles +4565,russian virtuoso free to leave thailand despite +4566,australias first bio products plant opens +4567,conroy puts internet filter on backburner +4568,ecoli tests show levels 1000 times safe level +4569,opals stars to test us +4570,police call for break in witnesses +4571,carney relishing halves switch +4572,yagan to be reburied after nearly 2 centuries +4573,interview jarrod mullen +4574,push for ban on alcohol advertising +4575,two babies among drowned migrants +4576,bom to revamp forecast areas +4577,dutch coach blames bad luck for defeat +4578,mobile invention could be desert lifeline +4579,e waste gets binned in collection program +4580,interview matthew knights +4581,man faces court for porn in community +4582,aamer told to leave batsmen alone +4583,riewoldt nearing unstoppable scott +4584,syria aussie farm manager +4585,hawks want tassie games for decades +4586,interview des hasler +4587,more heroin on wa streets oneil +4588,nixon quits as bushfire recovery chief +4589,pedestrian killed in busselton +4590,aussies win sailing world champs +4591,police find man in backyard after car pursuit +4592,wallabies look to spiritual home +4593,group worried about great artesian basin +4594,rudd baffles media during school visit +4595,rudd begins campaign with school visit +4596,sugar mills restart after industrial action +4597,unchanged aussies take aim at butt +4598,wallabies lose hodgson from bench +4599,hayne helps eels to another win +4600,choi puts oosthuizen in swedish shade +4601,cleaner cars welcomed +4602,conroy flags review of abc charter +4603,croc sighting closes gorge to swimming canoeing +4604,court approves new shopping centre in emerald +4605,push on for villages heritage listing +4606,market stagnates on weak wall st lead +4607,france detains loreal heiress financial adviser +4608,interview luke patten +4609,israeli warplanes hit gaza after rocket attack +4610,nixon applauded for black saturday apology +4611,chinese army promotes maos grandson +4612,contact sport +4613,recession slashes lawnmower race +4614,scott lamond chats to cathy and graham blowers +4615,smeltz a welcome distraction for miron +4616,australian waters ranked most biologically diverse +4617,forum examines federal hospital takeover +4618,greens target road safety +4619,wadeye leaders worried about housing changes +4620,asylum talks on hold east timor +4621,commission strike a last resort +4622,council not hurting over land value drop +4623,dpp symphathises with mothers concerns over sons +4624,mob burns trio to death over cable theft +4625,punter drops 500k on saints +4626,interview gerald sibon +4627,muslim group opens summer camp against terrorism +4628,bega hospital upgrade on track +4629,hidden jury notes cast new light on azaria case +4630,interview paul roos +4631,kazakhstan plans borat sequel +4632,court appearance over stolen high powered rifles +4633,dick smith offers 1m to population problem solver +4634,man arrested over 60000 airport kava bust +4635,indias olympic hopes being monitored +4636,nsw denies 6m compensation to ferry bidders +4637,slovenia sinks flat socceroos +4638,support program targets cancer patients children +4639,wasps control flies +4640,croc caught but larger monster still lurking +4641,e timor seeks woodside condition to asylum centre +4642,stosur set for us open +4643,police release man questioned over nightclub +4644,scott battles to make the cut +4645,sri lankas ex military chief found guilty +4646,thousands march for equal marriage rights +4647,indigenous youth program gets funding boost +4648,miner posts record return on gold +4649,police praise citizens arrest of alleged attacker +4650,ratings review may alter net filter conroy +4651,abbott hale defend domestic violence orders +4652,bungling robber forced to break out of servo +4653,making connections across the desert +4654,actors to honour ernest borgnine +4655,aid starts to flow into pakistan +4656,israeli doctors mercy mission to treat burned +4657,oloughlin emotional over roos kirk +4658,tweed foreshore revamp to open this year +4659,accc finds serious implications in hydros price +4660,agent rules out ibrahimovic switch +4661,gillard goes negative on election eve +4662,liverpool set to loan out aquilani +4663,media training centre wins support +4664,west australians litigious attitude +4665,israel palestinians to resume peace talks +4666,analysis to identify alternative flood route for +4667,gash attributes gilmore victory to hard work +4668,gutted burt bears blame +4669,henderson leaves warriors for catalans +4670,primus firms as port coach +4671,awkward factor putting women off pap tests +4672,boomers beat france on the buzzer +4673,measles confirmed on qld nsw border +4674,pakistan flood victims fear extremists +4675,gap plans australia roll out in asia push +4676,police chase solar panel thieves in gulf +4677,veteran truckie gets hall of fame recognition +4678,adebayor warns he could leave city +4679,wall street rallies after bernanke speech +4680,bradshaw likely to miss finals +4681,no bail for man charged over shooting murder +4682,dam doesnt pose safety risk sunwater +4683,doctors unwilling to seek help for depression +4684,schwarzers gunners move looking doubtful +4685,stern garnaut are lightweights katter +4686,chick lit writers tell critics to hush +4687,fosters loses cfo to asciano +4688,god didnt create the universe hawking +4689,sea eagles fall to upset loss +4690,interview david pocock +4691,research finds repressed memories dont exist +4692,taliban threaten afghan voters +4693,top model adds new high fashion judges +4694,interview robbie deans +4695,tv body reverses decision to air pro euthanasia ad +4696,all blacks pip forlorn wallabies +4697,gillard poised to announce new ministry +4698,phoenix up pressure on struggling champs +4699,interview dean young +4700,worker accommodation starts rolling into karratha +4701,no evidence of improper behaviour at prison camp +4702,triple threat on way for sky blues +4703,business owner fined for stealing electricity +4704,cowra shire policy uses wiradjuri locality +4705,rail depot decision on hold indefinitely +4706,state of emergency extended in christchurch +4707,escaped cobras strike fear into chinese town +4708,elliott throws down gauntlet for jennings +4709,goulburn murray water cops 62m loss +4710,search on for teen seen in labour in cemetery +4711,afghan vote counting begins amid violence +4712,disgusted hatton denies cocaine problem +4713,ainslie wins premiership +4714,gardiner nearing the end +4715,qr chief says float will be no telstra +4716,randy quaid arrested for squatting +4717,defence dismisses bungled firefight claims +4718,green light for high risk oil drilling +4719,hobart woman denies killing long term partner +4720,judge wants consultation on victim impact +4721,shark seen in brisbanes norman creek +4722,tax file number problems far from resolved +4723,top businesswoman calls for cheaper child care +4724,saints runner cops fine +4725,hewitt withdraws from malaysian open +4726,liberal mp told to explain deal with labor +4727,afl replay robs cycling worlds of publicity +4728,house damaged by fire +4729,ex minister campbell to retire from nsw politics +4730,keatings traffic charge dropped +4731,no more charges in child prostitution case +4732,qld independent mp contemplating federal seat +4733,tougher parole laws flagged for sa +4734,calls for law reform after girl sold for sex +4735,row rages over 20k school study tour +4736,star wars set for 3d makeover +4737,negotiations underway for tuross beach patrols +4738,council distances itself from cancelled concert +4739,evans pays tribute to coach +4740,event trend worries tourism chief +4741,frog hollow show +4742,man critical after power pole car crash near +4743,praise for athletes village trickles in +4744,spears affairs remain under conservatorship +4745,man fleeing police trapped by giant boulder +4746,menzies disappointed not to be an eagle +4747,asbestos breaches detected at 14 schools +4748,region remains fatality free despite state road +4749,wonder woman reboot planned for tv +4750,arrest made over indulkana death +4751,pool problem creates a splash for council +4752,south west farmers cant afford to buy water +4753,union anger over boss payout +4754,trickett weighs into games obscenity row +4755,woman acquitted of fraud another given suspended +4756,man fronts court accused of crime spree +4757,india disappointed by monkey remark +4758,beets murder accused slept with knife +4759,gippsland man in court over lawn mower attack +4760,locust hatchings on track +4761,the drum monday 11 october +4762,winds help fan weekend fires +4763,armed officer wasnt told of mans mental illness +4764,bligh wants more information about blue card +4765,child neglect mum testifies against others +4766,communities encouraged to attend mdb consultations +4767,council attacks land rezoning rules +4768,fewer agricultural chemicals mean more fruit +4769,pride and power at the commonwealth games +4770,the identities of people buried in unmarked graves +4771,rapper ti jailed for 11 months +4772,retailers urged to adapt to changing times +4773,leaders opening remarks on afghanistan +4774,typhoon megi wreaks havoc in the philippines +4775,alarm in coffs harbour after a child finds a +4776,bbc faces spending squeeze +4777,indigenous group threatens to beg for maralinga +4778,iconic wa company brownes sold again +4779,interview bart cummings +4780,new direction urged in fight to save hospital +4781,no end in sight for lockyer +4782,the taste of summer begins +4783,howard unleashes on amateur costello +4784,seven killed in soccer stampede +4785,alleged misconduct in awarding of contracts +4786,investigation into fast food toilet explosion +4787,so you think wins cox plate +4788,councillor airs power station opposition +4789,officer charged over shots fired in pursuit +4790,nuttall guilty of corruption and perjury +4791,winemaker gets political in bypass fight +4792,berkeley in the spotlight +4793,community organisation takes over indigenous +4794,russian arctic drama named best film +4795,new orphanage for children with defects +4796,riverina set to receive more rain +4797,lebanon claims the record for the worlds biggest +4798,improvements promised for mount isas hann highway +4799,7m pledged for highway black spots +4800,bernardi fears expansion of sharia finance +4801,outback town saddles up for race festival +4802,sea lion found shot in head +4803,clinton offers png help managing gas wealth +4804,director vincent sheehan says the tasmanian +4805,firefighters attend same property 3 times in a week +4806,government rejects call for public sex offender +4807,irons mourned as surfing event postponed +4808,echuca locust watch intensifies +4809,sea could flood sa holiday town +4810,new east coast beach patrols +4811,ponting baffled by australias poor form +4812,basin plan talks head to horsham +4813,crash disrupts train services +4814,emotional monaghan fronts media +4815,inquiries continue into albion park cyclist death +4816,stanhope moves to stamp out slums +4817,swim centre reopens after revamp +4818,forum aims to reverse business slump +4819,short changed workers refunded +4820,nab capitals chief economist rob henderson speaks +4821,snapper fishers claim board snub +4822,wet forecast puts grape growers on mildew alert +4823,appeal court rules jail sentence excessive +4824,china vanadium construction deal to save 120m +4825,volcano toll tops 200 as eruptions continue +4826,plane carrying nine makes emergency landing +4827,accused murderer had a history of violence +4828,labor pledges hundreds of new hospital beds +4829,out of control truck slams into 10 cars +4830,power of love driving gay marriage debate +4831,chinese inferno kills 42 +4832,councillors snub rating strategy +4833,murray group urges more sophisticated water +4834,djs sales lift despite cautious consumers +4835,doubt cast over cathedral area car park +4836,sa emergency departments lag the nation ama +4837,safety cameras get green light +4838,council dips into budget for bat removal +4839,equal pay for women will hit budget bottom line +4840,central highlands property boom +4841,canberra no childhood museum +4842,bulls behind despite solid response +4843,community spirit gone with fly in fly out mining +4844,sometimes you just have to do it yourself +4845,suu kyi slams india over junta ties +4846,bikies partner guilty of stealing +4847,corruption commissioner proposed for sa +4848,three jailed for party murder of 21yo +4849,state wide storm warning for victoria +4850,fisher poulter lead birdie fest in dubai +4851,nab payment glitch hits major banks +4852,victoria facing hung parliament +4853,strauss gone but england in front +4854,ipswich man jailed for manslaughter +4855,mps head home after telstra bill passes +4856,economists predict growth in third quarter +4857,former officer calls for negotiation training +4858,huff and puff of straw bale houses +4859,pakistan army chief considered coup leaked cables +4860,street beautification plans revealed +4861,tigers vs redbacks one day summary +4862,suns boost titans membership numbers +4863,downpour drenches central qld cuts roads +4864,england cashes in on aussie collapse +4865,rba move dampens retailers christmas +4866,man arrested for mailing hundreds of tarantulas +4867,westwood three clear at sun city +4868,police seek witnesses to 50000 theft +4869,prisoner dies in hospital +4870,katich hobbles out of ashes series +4871,kp revels in happy dressing room +4872,police fear rising domestic violence rate +4873,city traffic tunnel bid +4874,father admits baby sexual assault +4875,callaghan park consultations underway +4876,collaboratively consuming a new way of living +4877,minister talks of higher minimum driving age +4878,finks bikies found guilty of contempt of ccc +4879,gene variations linked to higher endometriosis risk +4880,intruder disturbs sleeping woman +4881,wikileaks barnett +4882,condition of hit and run victim deteriorates +4883,school choice the real revolution +4884,caica urges unity in murray fix +4885,katrina annan hydrologist in the flood warning +4886,new graduates help ease doctors shortage +4887,assange fears extradition to us +4888,badly drawn boy suffers onstage meltdown +4889,david astle discusses crosswords reaching australia +4890,interview ryan harris +4891,bligh unaware of mining project delays over +4892,blues coast to another shield win +4893,gilbert sorry for nude photo scandal +4894,downpour delivers flash flooding in far north qld +4895,nyrstar death plea +4896,suspected baby bashers to face court +4897,test selections leave clark baffled +4898,tigers vs warriors one day summary +4899,job fears blamed for fewer christmas donations +4900,perth barrister rayney granted bail +4901,bumper crowds hit boxing day sales +4902,uk swimmers take christmas plunge +4903,jazz player skipper admits failure +4904,ministers inspect flood damage +4905,sailor recovering in hospital +4906,surf champion gilmore attacked with iron bar +4907,interview mickey arthur +4908,mcbriar earns pro bowl consolation +4909,hundreds evacuated as floodwaters rise +4910,jackson executors want tv autopsy cancelled +4911,brisbane man charged over melbourne assault +4912,mid north coast students to learn about asian +4913,scores arrested at melbourne music festival +4914,land managers urged to apply for grants +4915,wheel tribute for fallen champion +4916,cooks stand finally ends +4917,interview charlotte edwards +4918,man charged over hotel shooting +4919,man jailed for stabbing wife +4920,mp says shut down remote communities +4921,fitter li ready to repeat open success +4922,agreement reached on pumping station +4923,ipswich faces emotional mop up +4924,vickerman to make wallabies super hickey +4925,heavy rains fill thirsty reservoirs +4926,looters hit brisbane streets seeking flood booty +4927,qld governor shocked by flood damage +4928,china considers deploying troops in north korea reports +4929,goss gets off to golden start +4930,beer less popular with aussie drinkers +4931,clijsters banishes safina from open +4932,grantham residents allowed back eight days after +4933,tomic charges into second round +4934,aurora australis enters icy landscape +4935,70 year old faces child abuse material charges +4936,julia gillard on the devastating floods +4937,leckie back for reds against fury +4938,towns isolated as floods swamp victoria +4939,bikes stolen from adelaide store +4940,hu faces critics of chinas rights record +4941,indonesia defends penalties for papua torture +4942,in form schwartzel leads in abu dhabi +4943,interview shaun marsh +4944,fire emerge victorious from the darkness +4945,kewell magic sends socceroos to semis +4946,worlds largest coral farm proposed for karratha +4947,changes planned for olive oil labelling +4948,indigenous all stars match in doubt +4949,new water tracker for murray darling communities +4950,police plead for clues to suspicious death +4951,flood disaster built stronger communities bligh +4952,israel rejects palestinian capitulation +4953,socceroos show ruthless streak +4954,abc rural on facebook +4955,foster homes sought for guide dog pups +4956,locusts set to swarm again +4957,health workers plan industrial action +4958,cyclone warning cancelled for wa +4959,police called to wedding punch up +4960,teenage girl killed by fallen powerline +4961,crash driver pleads guilty to being six times over +4962,more rain likely for northern vic +4963,historic pink terraces found in nz lake +4964,qld premier gives update on cyclone yasi +4965,commuters flock to bus shelter movies +4966,minister faces media after husbands drug arrest +4967,odi summary australia vs england game six +4968,2 million damage bill +4969,cyclone yasi in their own words +4970,the drum wednesday 22 december +4971,two people dead in helicopter crash at cessnock +4972,interview meg lanning +4973,authority plans qld tourism revamp +4974,hotel manager jailed for manipulating betting +4975,abc journalist recounts egypt ordeal +4976,benji likes all star chip and chase rule +4977,bridge out for sky blues +4978,disaster ravaged dairy farmers get helping hand +4979,park visitors urged to help curb dieback spread +4980,industrial death probe too slow says coroner +4981,ranks swell in egyptian revolt +4982,call for games village to avoid parklands +4983,rivals still rate lockyer a marvel +4984,wettest country teeming with aussies +4985,bob dylan to perform at grammys +4986,opposition pledges 45m for tourism +4987,thousands pay tribute to the doc +4988,authorities to release 25 pc of wivenhoe water +4989,soderling tsonga in rotterdam decider +4990,joel jackson of karratha talks to sarina locke at +4991,launceston memorial honours fallen digger +4992,no plan to reduce blood alcohol limits ryan +4993,newcastle company wins defence contract +4994,one dead as iran protesters clash with police +4995,clarke discounts aussies warm up flop +4996,fire reignites in eden hill +4997,ports campaign to conduct market research +4998,sydney rail service cuts claim +4999,warriors vs redbacks match summary +5000,amp profit edges up despite subdued market +5001,british f1 to lap mount panorama +5002,hamishkings +5003,act restaurants on notice +5004,joyce watching his back amid cabinet leaks +5005,security guard stabbed at melbourne nightclub +5006,stolen monkey returned to nsw zoo +5007,plumbing fee hike +5008,sydney brings in durante for acl tilt +5009,link between hobart bombs +5010,boats pull up to pub as murray levels peak +5011,fatal crash on blue mountains highway +5012,gaddafi orders forces to sabotage oil production +5013,glenelg highway closed after tanker accident +5014,second seed fish advances with ease +5015,storm damages brisbanes water treatment plants +5016,authorities suspend search for missing plane +5017,education push looks to unlock potential +5018,gaddafi accused of ordering lockerbie bombing +5019,police seek help identifying lake body +5020,political parties feud over role of ombudsman +5021,extra flood funding to tackle unprecedented damage +5022,fox enjoys high life on london skyscraper +5023,bombing shuts down iraqs largest oil refinery +5024,qandashaw +5025,roar get heads right for final +5026,rural leaders in india +5027,uk foils gaddafis billion dollar cash grab +5028,major upgrade of port infrastructure at carrington +5029,tourist recovering from irukanji sting +5030,dokic into malaysian open quarters +5031,hunter valley mine trials new blasting products +5032,roads group says flood fix too slow +5033,herrick sparks redbacks collapse +5034,yemen rebels say army fired on protesters +5035,interview will genia +5036,pawn shop visits leads to arrest +5037,anti mill protesters vow to fight on +5038,landowners vow to block coal seam gas firm +5039,report says job cuts will hurt retail sector +5040,milk inquiry hears claims of price collusion +5041,climate change a mixed bag for farmers +5042,interview james sutherland +5043,obama offers quake aid to japan as tsunami reaches +5044,canberra celebrates 98 years +5045,gulf states send troops to bahrain +5046,independent candidate stirs the election pot +5047,questions asked about coffs development control +5048,victory had gone stale thompson +5049,armed men rob sydney hotels +5050,japanese motogp postponed +5051,debate over greens bill confused +5052,japanese shares slide again on reactor +5053,search for the missing continues in ofunato +5054,the composta impostor fooled foolish and fraught +5055,grog +5056,xstrata hopeful lead levels will continue to fall +5057,harrigan concedes refereeing error +5058,reds just warming up mckenzie +5059,farmers federation supports proposed carbon tax +5060,police consult yarrabah leaders over weekend +5061,time to debate uranium enrichment says sa minister +5062,button the new king of the mountain +5063,the great opposition challenge +5064,conflicting opinions at carbon tax rallies +5065,fight continues against scuttling navy frigate off +5066,harris kept on reds bench +5067,planting flurry sparks vegie oversupply fears +5068,police locate missing man +5069,broncos confirm bennett approach +5070,interview shane flanagan +5071,amy adams cast as lois lane +5072,food worries loom for outback residents +5073,hawke backs keneally for federal tilt +5074,addict guilty of bashing war veteran to death +5075,electronic voting a threat to democracy +5076,second man fined over tram stop vandalism +5077,shepparton boosts police ranks +5078,23m donation secures zurbaran paintings +5079,compo claim serves as future warning +5080,lake deal ends water fight +5081,interview sam thaiday +5082,policewoman tells of knife attack fear +5083,tigers saints split the points +5084,burgess vs machine to determine fitness +5085,former gynaecologist denies assaulting patients +5086,guilty verdict for man who bragged about murder +5087,terms and conditions +5088,gaddafi envoy on whirlwind diplomatic tour of +5089,farmers urged to help ease mice influx +5090,patients stressed over mri scanner breakdown +5091,grower questions winery management +5092,interview thomas fraser holmes +5093,govt blames admin error for rates payment lapse +5094,sweeting to face nishikori in houston final +5095,syrian forces open fire at protesters funerals +5096,bali nine drug smuggler marries +5097,brown facing at least four game ban +5098,centrelink shuts yuendumu office over safety fears +5099,media call michael searle john cartwright +5100,vff states carbon tax opposition +5101,brull: ellis +5102,deniliquin council considers medical centre +5103,hunter police race to free woman tied up during +5104,scientists in shock after festival cancelled +5105,nab pay glitch last straw for customers +5106,nrl preview round six +5107,interview anthony griffin +5108,saturday night spin +5109,nsw growth lags rest of australia +5110,reading writing improving in schools +5111,work starts on 180m maroochydore development +5112,calls for arbitration as easter buses grind to a +5113,coroner recommends flotation devices for rock +5114,guerrilla warfare threatens to bring down qantas +5115,stanley to return to dragons +5116,two charged over home invasion +5117,man shot in dispute over dog +5118,predator drone strikes as gaddafi troops retreat +5119,anzac history uncovered in first world war diaries +5120,man requires surgery after assault +5121,northern ireland on alert for royal wedding attack +5122,behind the scenes of syrian unrest +5123,media call ben ross +5124,media call matt orford +5125,qld floods commission spotlights lockyer valley +5126,call for witnesses to joondalup nightclub attack +5127,farmers still struggling with drought recovery +5128,ironbark creek restoration begins +5129,mayor pleads for power price rise freeze +5130,waiting times cut +5131,wonderful westwood wins ballantines +5132,economist backs budget jobs forecast +5133,gillard and howard applaud bin laden killing +5134,people smuggler whistleblower fears for his life +5135,sports clubs consulted about drought proofing +5136,fairfax staff angered by outsourcing decision +5137,alex arbuthnot chair of agribusiness gippsland +5138,roosters allow carney to resume training +5139,bad boy carney gets back to work +5140,interview ryan hinchcliffe +5141,kookas rally to down hosts +5142,warriors crush listless titans +5143,junk food advertising debate continues +5144,budget pleasing despite hit to act bottom line +5145,quake strikes off vanuatu +5146,seniors skills recognised in budget +5147,uk celebrity gagging order ousted on twitter +5148,bikie feud could pose risk to public +5149,health minister defends armed guards plan +5150,lobster council says case strong for october +5151,fur claims dog myer wittner +5152,aboriginal elder tells un of racist intervention +5153,e timor asylum centre plan put to rest +5154,interview michael weyman +5155,population strategy needs cash +5156,interview matt priddis +5157,warne disciplined for bust up report +5158,dogs hit the streets in style +5159,interview glenn stewart +5160,raiders deliver upset of the season +5161,womens wages set for shake up +5162,bligh promises investigation into kylas murder +5163,elsom hopeful of 2011 debut +5164,federal cash for beef expo +5165,gladstone gets 7 day trading nod +5166,djokovic run amazing mcenroe +5167,floods tipped to deliver 11m council budget deficit +5168,footballer luke adams out of intensive care +5169,nsw crime commission probe to go ahead +5170,judge jails parasite fraudster +5171,sailor charged with attempted murder +5172,tahu heading back to knights +5173,hercules in emergency landing at woomera +5174,icc urged to investigate gbagbo for rights abuses +5175,man jailed for slashing girls throat +5176,footage released in drug thief search +5177,authorities search forest for missing scientist +5178,stosur charges into third round +5179,hear garry kadwell describe his crookwell wetlands +5180,market claws back some lost ground +5181,plastic surgeon sues over toorak property sale +5182,rare earths not exported out of fremantle +5183,interview steve turner +5184,the party line +5185,beaded wins thrilling doomben 10000 +5186,bitar has knowledge to nobble poker reforms +5187,pampling in the mix in texas +5188,us sorry for deadly afghan air strike +5189,goma to showcase matisse drawings +5190,perth may want it +5191,catfight brews after senators meow call +5192,four caught in crackdown on illegal workers +5193,opi calls for changes to police disciplinary regime +5194,high hopes for ross river virus vaccine +5195,opera star giorgio tozzi dies +5196,contact sport friday 6th may +5197,media call ricky stuart +5198,one way street smash in hobart +5199,former nsw minister quits politics +5200,territory defies falling job ads trend +5201,jealous husband jailed for wifes murder +5202,loddon mallee gets public housing boost +5203,no end in sight to downturn thats cost tumbarumba +5204,community calls for cbd fast food ban +5205,mavs hold on to level series +5206,union fights to keep charlton nursing jobs +5207,angelique johnson reports from the 2011 sa budget +5208,bega valley health in the spotlight +5209,interview luke bailey +5210,the drum thursday 9 june +5211,tszyu to enter boxing hall of fame +5212,broncos escape canberra comeback +5213,long weekend road toll rises to 10 +5214,violent clashes in flashpoint syrian town +5215,delays as canberrans swamp emergency dept +5216,oam honour for clarence valley man +5217,syria troops seize flashpoint town +5218,bruins beat canucks to force decider +5219,palfrey speaks about record marathon swim +5220,presidential hopefuls attack obama +5221,rain wont change maroons approach +5222,acting pms adopted son charged with murder +5223,hewitt faces wimbledon fitness race +5224,media call tom carter +5225,commander on final shuttle touchdown +5226,interview danny cipriani +5227,repeat offenders to be jailed under new violence +5228,couple stabbed in home invasion +5229,house blaze considered suspicious +5230,yacht sinks off the coast of carnarvon +5231,bartel in race against time +5232,more feedback sought on farmers market plan +5233,oakajee given green light for railway +5234,chelsea appoints villas boas as manager +5235,former newsreader to be paid six figure salary +5236,malaysia bound detainees denied medical care +5237,sectarian violence erupts in n ireland +5238,traders demand freeway closure answers +5239,government seeks walker remuneration +5240,media call alastair clarkson +5241,monaro mp at helm of committee +5242,aussie born irving taken first in nba draft +5243,events tipped to fill townsville coffers +5244,more redundancies unlikely at australia zoo +5245,knife and fork used in violent home invasion +5246,arrest warrant issued for gaddafi +5247,children and elders work on indigenous history +5248,housing act failing to help residents +5249,record moreton bay budget focuses on rebuilding +5250,central west tourism organisation to stand alone +5251,fears pokies snub gambling with stadium revamp +5252,america survives in jazz +5253,dr jim gehling from the sa museum talks about the +5254,grazier practically gives away cattle +5255,pact marks end of longest land rights claim +5256,alcoholic had no memory of unprovoked murder +5257,contador cops jeers at tour opening +5258,men in heels compete in madrid footrace +5259,strauss kahn supporters eye political comeback +5260,abused child had no bruises inquest told +5261,nadal focussed on derailing djokovic +5262,png leaders son suspended from office +5263,special olympics athletes strike gold +5264,tiger selling tickets despite grounding +5265,explosion at armadale house +5266,extra 200k needed to build respite centre +5267,uk tabloid hacked murdered girls phone lawyer +5268,youth service applauds national suicide focus +5269,shares recover from portuguese downgrade to close +5270,berlusconi wont seek new term +5271,disappointment after teen mums inquest at young +5272,fast times and mayhem tipped for camel cup +5273,wild weather batters the state +5274,carbon tax destructive policy +5275,climate scientist presents view on carbon tax +5276,electricity price rise carbon tax +5277,robinson out +5278,flooding stopped endangered lungfish monitoring authority says +5279,next generation to revitalise country shows +5280,hope for dvd to put brakes on aboriginal road toll +5281,internet glitch leaks medvet data +5282,lnp focus on agriculture welcomed by lobby groups +5283,sentencing review of child sex offenders welcomed +5284,dymock hints at dogs changes +5285,ferguson to challenge barcelona +5286,health warning over gastro outbreak +5287,special forces drug bust in afghanistan +5288,crabb talk carbon to me +5289,icac admission over free overseas trip +5290,spiderman villain arrested at comic con +5291,yawuru incensed over woodside trucks route +5292,cop's car seized under hoon driving laws +5293,matthewson politics is brutal +5294,mine safety group rejects ignoring union report +5295,nsw dominates cocaine use spike +5296,what the river means to you jenni grace riverland +5297,tsunami warning system +5298,cotton interest still strong in south +5299,gillard asylum seekers malaysia +5300,malaysia swap deal on youtube +5301,sheehan ruled out of force tour +5302,boomers down angola +5303,mubaraks day in court +5304,mum accused of hospital baby abduction +5305,regions net new fisheries officers +5306,eu warning +5307,pineapple imports could wipe out local growers +5308,suicide crash children tree +5309,woman rings ambulance from trapped car +5310,industry says forest agreement fails to deliver +5311,britains battle for calm +5312,close the gap forum labelled a talkfest +5313,london rioters point to poverty and prejudice +5314,porn doctor appeals 'manifestly excessive' sentence +5315,westfield buys brazilian shopping centre +5316,another great broken hill reunion planned +5317,bird blamed for blackout +5318,daff strike over pay +5319,deportation flight could kill bed ridden 96 yo: fami +5320,tonga becomes an eel +5321,child arrest +5322,always hopeful +5323,producers wow judges at hobart fine food awards +5324,shale gas exploration gets nod +5325,wa farmers graze stock on canola crops +5326,uranium from south of the lake +5327,fire rescue earns bravery gong +5328,lifesaving comp offers tourism lifeline +5329,meridien takeover bid by chinese +5330,unused office space questioned +5331,cockatoo influx eases +5332,fears lethal coal dust to outdo asbestos +5333,surgery for dockers skipper pavlich +5334,drowning victim a nz radio rugby legend +5335,pearce hopes carney stays in nrl +5336,vicroads reveals highway duplication route +5337,gippsland walks away from violence +5338,violent crime spate triggers police assurances +5339,tigers claw out of crows shootout +5340,auditor general says speed cameras are accurate +5341,husband hits wife with car +5342,nsw teachers plan pay cap strike +5343,weatherill rann wikileaks james bond +5344,holmes the wikileaks tweets +5345,sugar mill future in doubt +5346,crook on gillard government +5347,drivers applauded for road safety efforts +5348,labor secretary rejects beattie federal bid talk +5349,watt takes silver +5350,us job figures rattle markets +5351,wallis denies betting on bombers match +5352,residents question coal seam gas exploration +5353,homeless rate grows in gladstone +5354,ofarrell defends first home buyers hit +5355,government expands seasonal worker scheme +5356,tasmanian nrm groups pick up funding to fight weeds +5357,government close to new asylum policy +5358,obama proposes $447 billion plan to boost us economy +5359,pies likely to rule out reid +5360,pygmy death by plastic +5361,whiteley prize sydney +5362,qld helicopter crash investigation +5363,saints refuse to criticise lyon +5364,space station crew makes safe return to earth +5365,foster carer feature +5366,mason cranking up the live music industry +5367,motorists warned of impending m2 chaos +5368,travellers win 11th hour eviction delay +5369,cummings dont call this news +5370,drugs cash car pennington +5371,rock lobster plan +5372,tonga sweeps aside japan +5373,asylum policy debate rages on without settlement +5374,gillard pledges suicide forum for mount isa +5375,mccaw named for 100th cap +5376,radio station sin binned nrl +5377,ruok founder gavin larkin dies +5378,wallabies smash eagles +5379,coulson to sue news international +5380,pink floyd pig flies again over london +5381,swan wins brownlow +5382,tiger hires new caddie +5383,abc business news +5384,lockerbie bomber will not face new prosecution +5385,population of young carp in the murray darling +5386,drunken lorikeets on bender +5387,kate raston speaks to ben trevaskis from the csiro +5388,premier signs 242b deal with chinese +5389,sturt highway resurfacing to begin +5390,abc business news +5391,aussies to play more england odis +5392,broome assault +5393,injured sharapova out of tokyo +5394,moer pressure over children in refuges +5395,afl fans gear up for grand final parade +5396,beijing spectre in hong kong maids ruling +5397,international nuffield conference +5398,two teenagers found safe on island +5399,turner hodgson to join wallabies +5400,ki grain grower trials linseed +5401,second student recovering from meningococcal +5402,nurses close mental health beds +5403,keneally changing leaders is not the answer +5404,shark sighting closes beaches +5405,bangalore wins twenty20 match against sa +5406,inglis fighting to be fit for nz test +5407,spanish duchess weds +5408,jackson jury hears doctor police interview +5409,blaze clams wallerawang house +5410,endyalgout island missing woman +5411,finding time to pick mangoes in derby +5412,prawn fishing desalination point lowly +5413,rudd has still got it +5414,trio face sentencing over break in bashing +5415,aussie wright suffers world title blow +5416,landscape ecologist david tongway talks healthy +5417,mccaw declared a certain starter +5418,parliament address on obamas schedule +5419,integrity commissioner police report +5420,national zoo expansion plan +5421,new ceo for hunter water +5422,nsw mps vote against magistrates dismissal +5423,plane crash leaves 28 people dead in png +5424,png mourns plane crash victims +5425,indians charged over burswood assault +5426,questions aired over fire refuge trial +5427,samsung seeks iphone ban in australia +5428,tourist numbers heartbreaking for remote hotel +5429,ch hot crops +5430,pollution trading scheme mooted for catchment +5431,tandou snaps up new grazing property +5432,vietnam vets disgusted over mou +5433,afl decider returns to september +5434,childcare worker feature +5435,local shares up midday +5436,ryan defends alpine grazing trial +5437,hunter drivers failing the test +5438,donald grabs share of early lead +5439,listen to liz harfull and rose grant discuss blue +5440,australian batsmen feared once more +5441,crews battle blue mountains blaze +5442,indian students detention breached migration rules +5443,morcombes continue child safety tour +5444,narrogin show lures record numbers +5445,queensland grass fires contained but backburning +5446,youths bash man near mall +5447,clover blamed for milk recall +5448,figures show queensland agribusiness on slow climb +5449,forum to canvass iron ore potential +5450,attempted murder charges for stabbing duo +5451,cattle prices up since live export ban +5452,frystacki the accelerating expansion of the universe +5453,terry to be investigated over racism claim +5454,global markets wrap +5455,international mining centre good for aussie mining +5456,sailor protest strands tanker in sydney +5457,whitton cotton gin gets nod +5458,canberra emissions off target +5459,aussie quicks vie for test spots +5460,caica and manuel +5461,cane toads take toll on fisheries +5462,police officer sex guilty +5463,researchers step closer to prostate cancer cure +5464,hinchinbrook lockup fears aired +5465,ultrasound preg testing of cattle becoming more +5466,stone fruit harvest +5467,activists claim security forces kill 19 +5468,metcalfe takes extended leave +5469,interview ben hilfenhaus +5470,a league lounge round five +5471,interview matthew wade +5472,prosecutors drop charges over black saturday fire +5473,crabb carbon legislation abbott demolition +5474,freight forecasts a worry for tas producers +5475,green campaigner cops cannabis fine +5476,farmers fear carbon tax impact +5477,interview with greg hunt +5478,australian open round 1 wrap +5479,dupas appeal bid fails +5480,indigenous school attendance falls +5481,mp backs labor csg rethink +5482,hail hit batlow declared disaster area +5483,interview greg shipperd +5484,local market close +5485,aurora report +5486,brad pitt set to quit acting in 3 years +5487,collett shooting +5488,disaster insurance review not good enough +5489,lewis woods barack ing for the other team +5490,carbon tax to have small but increasing impact on +5491,doctors reject hospital closure +5492,ghost mountains give up their secrets +5493,graziers have questioned their peak industry +5494,no go for retirement village plans +5495,ricky gervais to host golden globes again +5496,this week the mla board selects a new chairman +5497,tantanoola pulp mill final day +5498,farmers record second highest grain crop +5499,high court fountain flowing again +5500,ponting rises but test career in limbo +5501,judge execute search warrant over nz teapot scandal +5502,slipper survives lnp dumping +5503,ais douse fire for first win +5504,bali boy sentenced +5505,hunter child sex abuse +5506,man jailed over burleigh shooting death +5507,timor military training +5508,redbacks on top of queensland +5509,committee to meet about start up date for orica's newcastle p +5510,woman 'imprisoned' on scientology cruise ship +5511,car linked to shooting found torched +5512,crash south road ridleyton +5513,housing inquiry over unnoticed corpse +5514,upper hunter farmer loses fight to stop coal company +5515,what does michale clarke need to do +5516,medical centre placed into administration +5517,scientists plan more human tests with malaria parasites +5518,hasler makes ennis bulldogs captain +5519,uk warning over eurozone threat +5520,afghanistan needs 'billions' long after troops go +5521,alp conference rejects move to phase out live +5522,libs accuse labor of claim cash grab +5523,rabobank predicts a year of uncertainty +5524,are you happy with your milk price +5525,rba rates decision due today +5526,starc eyes johnson spot for aussies +5527,australia's russian migrants see election growing pains +5528,gunnell the assange appeal +5529,snowy environmental flows declared a success +5530,boy's body found near derby +5531,greens push for dental care to be cheaper +5532,listen to what the commonwealth environmental +5533,mayor pleads for roads funding boost +5534,australia looks to wrap test +5535,parts of queensland on storm watch +5536,analyst says inpex was right to stay away from +5537,grain storage facilities filling fast +5538,paroo wild dog control +5539,burswood casino rebranded +5540,container recycling debacle +5541,icac inquiry prompts tighter gifts policy +5542,media call ryan broad +5543,sharpe wins rupa award +5544,signs of locusts near broken hill +5545,tasmanian devils monarto breeding tumour +5546,teacher pleads not guilty to assaulting girls +5547,academic farmer not finished with uni yet +5548,rural reporter a biodiversity hotspot +5549,homicide squad probes discovery of two bodies +5550,interview brad haddin +5551,japanese toddler survives 10 storey fall +5552,sa forests could move to victoria +5553,union urges minister to resolve pay row +5554,transit plan makes room for transit lane +5555,ear severed in northbridge brawl +5556,santa imposters in string of armed robberies +5557,horses history questioned at jilaroo inquest +5558,why brisbane has lost its roar +5559,spending up +5560,thampapillai what if we cant stop the boats +5561,cootamundra oilseeds to double production +5562,koukoulas critiquing costello comments +5563,woolworths buys newcastle's honeysuckle hotel +5564,15000 animals rescued during gas line project +5565,boy falls from 25 metre cliff +5566,health bureaucracy cuts not enough +5567,tight finish ahead as sydney hobart leaders do battle +5568,aussie attack clicks to crush india +5569,paralympian says sydney to hobart exhilarating and terrifying +5570,hot weather in canberra today +5571,public housing criminal tenancy sa +5572,time to forget pakistan scandals says strauss +5573,trap jaw fear for native animals +5574,man impaled by handbrake freed from crash wreckage +5575,teen girls charged over sydney carjacking +5576,abc entertainment +5577,draw from gnangara mound approved +5578,russia tightens meat export access +5579,warne tells clarke to be himself +5580,starc leads sixers to victory +5581,ute pulled over with nine passengers in tray +5582,abc entertainment +5583,minerals find on eyre peninsula +5584,snake bite victim in hospital +5585,birth parents find adopted children social media +5586,mining lifestyle a course of study +5587,n korean newspaper hits the web in english +5588,apple admits supplier employees are abused +5589,bomb hits pakistan march +5590,sydney art dealer charged with 8m artwork fraud +5591,union threatens unrest over shift changes +5592,pakistani pm ordered to appear in court +5593,norman predicts aussie golf success soon +5594,santos gas water leak in pillega +5595,zoo successfully breeds coatis +5596,first red light camera for alice springs +5597,report names australias deadliest highways +5598,sa university offers +5599,bruno mars charges dropped +5600,nsw environment boss quits +5601,share investors higher iq +5602,stars outshine strikers +5603,western australia through artists' eyes +5604,calculating carbon +5605,rushdie says cops invented death threat +5606,some farm gates need a shop +5607,underwear man swims across moat +5608,move promises fewer powerline fires +5609,tibetan protester killed in china: reports +5610,two dead; hundreds seek shelter from fiji floods +5611,doctor demands more studies into wind farm health +5612,french police arrest breast implant boss +5613,man charged with sexual assaults +5614,woman injured in crash near ballarat +5615,cadel and wife adopt ethiopian boy +5616,mcilroy grabs lead in abu dhabi +5617,highlights fourth test day five +5618,wind hampers olympic hopefuls +5619,5yo dies in caravan blaze +5620,accused sydney shooters face court +5621,adelaide bikie shooting +5622,bird flu crackdown in victoria +5623,rbs boss turns down bonus +5624,eu leaders try to figure out economic strategy +5625,pub loses bid for longer trading hours +5626,tomic charged over australia day driving +5627,pay rises community services sector +5628,candidates vie for calder ward spot +5629,dam engineer accused of fabricating flood report +5630,man hides up tree to escape abalone case +5631,one year anniversary of cyclone yasi +5632,roar out to rattle mariners +5633,school attendance welfare pay link trial +5634,man jailed for aids infection threats against children +5635,protest damage denied +5636,abc entertainment +5637,clean up begins as floodwaters recede in nsw +5638,levin stretches phoenix open lead +5639,doctor shortage to ease in upper hunter +5640,floods prompt the largest evacuation in qlds +5641,man in hospital after tasering +5642,mother found not guilty of ill treatment +5643,tumut festival l +5644,nsw minister in the flood zone +5645,nsw police pay out 245m over officer assaults +5646,irrigators meet over basin plan +5647,launceston gps under pressure +5648,severe weather by passes region +5649,call for tougher penalty for cyclist 'dooring' +5650,former socceroos to find new blood +5651,learner driver pleads guilty over fatal crash +5652,nsw not making a grab for more water +5653,png releases names of ferry sinking victims +5654,rudd carbon capture storage institute +5655,bangkok bombers targeted israeli diplomats +5656,tigers chasing 283 +5657,new cheese making and tasting factory officially +5658,smoke haze blankets perth +5659,tas jobs push +5660,crocs put deathroll on cairns +5661,us arrests moroccan over capitol bomb plot +5662,azarenka thrashes stosur in qatar open +5663,rudd vs gillard for the role of pm +5664,abc weather +5665,fox baiting south australia +5666,ferguson declares support for rudd +5667,new technology helps save heart attack patient +5668,xena boards ship in oil drill protest +5669,essex snaps up siddle +5670,governor to open outback learning centre +5671,putin assassination plot foiled +5672,social worker tells of forced adoptions +5673,tweets to at juliagillard and at kruddmp +5674,australia dairy exporters advised to target high +5675,driver charged over fatal kimberley crash +5676,kohli seals miraculous win for india +5677,territory schools below national standards +5678,government cautious on 'name and shame' recommendation +5679,growers share sugarcane technology and growing +5680,tahs make one change to face rebels +5681,alleged queensland fraudster to stand trial +5682,darwin push for subdivision of home blocks +5683,macadamia growers predict good season +5684,mid north coast concern about solar rebate +5685,more allegations raised about newmans campaign fund +5686,national rural news for thursday +5687,nme award winners +5688,we dont miss hasler foran +5689,110 with barry nicholls +5690,bus plan +5691,contact sport friday 2 march +5692,defence editor for the sun arrested +5693,nrl highlights raiders vs storm +5694,australia vs sri lanka one day highlights +5695,france and ireland draw in six nations +5696,young inspires united to win +5697,orange crime +5698,floods peak lower than expected in wagga wagga +5699,man jailed after fatal drive through floodwaters +5700,mars to cut 38 jobs +5701,rain wrecks roads robert miller +5702,abc business news +5703,greece cannot sustain debt +5704,health of great barrier reef being assessed +5705,sydney lashed by rain +5706,smith kallis bat proteas into ascendancy +5707,asic will not pursue securency case +5708,police urge witness help for bad accidents +5709,fires causes disruption to perth train network +5710,inquest hears potential motives for contractor +5711,suspected drowing in the yarra river +5712,capsicum spray replaced +5713,donnybrook fire contained +5714,oecd warns of high water pollution costs +5715,man shot dead in sydney home +5716,newman denies allegations +5717,victoria pushed further into deficit +5718,climate change study to help indigenous groups +5719,interview anthony griffin +5720,man pleads guilty to guns theft +5721,fa cup game abandoned after muamba collapses +5722,government releases costings of opposition policies +5723,brain injured 'dooring' victim runs marathon +5724,brazilian showdown in surfest final +5725,lake eyre tourists environment +5726,red centre faces winter fire threat +5727,lincoln hall dies in sydney +5728,melbourne airport's grand plans unveiled +5729,thousands gather in cairo for funeral of coptic pope +5730,north qld candidates count down to poll +5731,water havesting milestone +5732,kasakh medalist played borat anthem +5733,grandstand reflections cherie toubia +5734,interview darius boyd +5735,interview benji marshall +5736,newcastle rail decision still imminent +5737,share market edges lower +5738,bmw recalls 1.3 million cars +5739,cotter dam cost blowout +5740,lawrence to avoid ban over dangerous throw +5741,trucks collide on hume highway +5742,my kitchen rules winners crowned +5743,paul sutherland reports from the hughenden beef +5744,all torque +5745,gunns seeks court costs +5746,russias anti gay law +5747,environmental defenders office questions basin plan +5748,nbn disappointment +5749,study finds gp concerns about drug treatment unfounded +5750,cattle company describes abattoir funding as a +5751,driver improving after being declared dead +5752,forward planning could spell end for community garden +5753,hoons bash bunbury man +5754,insurers discriminating against mentally ill; council says +5755,rehab centre to help free up police resources +5756,ioane frustrated by tackle ban +5757,easter eggs recalled over allergen blunder +5758,scientists to test bionic eye prototype +5759,walshy and clinchy round two +5760,act police charge soldier over sexual assault +5761,hawks hoodoo extends against cats +5762,love food hate waste campaign run by nsw office of +5763,three men wanted over home invasion +5764,woman drowns in ovens river +5765,wa day official +5766,gangs of girls prowling perth cbd +5767,miners launch ads amid fear of losing tax concessions +5768,rocket launch a major failure +5769,aussie spin duo set for second test +5770,fight against compulsory martial arts +5771,nsw man shot dead attacked in previous shooting +5772,aussie troops will remain in afghanistan for some time yet +5773,australia to lift burma travel bans +5774,gunns continues holding pattern +5775,polls close in e timor run off election +5776,station kids sneak in some practise before +5777,analysis of day one of breivik trial +5778,cockies wreck apple crops +5779,easter fails to stop falls in lamb prices +5780,queen park +5781,australian general says afghan deaths in vain +5782,mayor concerned about proposed new skyscraper +5783,bull dies in road accident +5784,coroner finds on burke and wills deaths 151 years +5785,coroner on leanyer child drowning +5786,green light for connors river dam project +5787,robb attacks reported super tax plan +5788,van park highlights tourism accommodation woes +5789,banning bikie colours 'wont stop shootings' +5790,disabled man rescued after house set alight +5791,councillor up beat about coal mining expansion +5792,john barron blog +5793,government to act on christmas island disaster +5794,man charged over alleged hostage stand off +5795,police question teens over crashed car +5796,tensions rise over act restaurant closures +5797,australians commemorate 97th anzac anniversary +5798,kazakh weightlifter hungry for gold +5799,consumers should be paying more +5800,charming an audience about snakes +5801,parkes assault +5802,sea eagles escape haslers dogs +5803,interview issac luke +5804,interview neil henry +5805,anglicare highlights rental shortage +5806,dont blame me for whitney's death says bobby brown +5807,government defends difficult regional budget +5808,scotland holds the secret for tasmanias salmon +5809,energy analyst acknowledges concerns about coal +5810,new political era for burma as suu kyi sworn in +5811,walsh budget +5812,capacity crowds for grace kelly exhibition +5813,mayoral vote count continues +5814,cotton compass director pete johnson speaks with +5815,landscape logic +5816,nugent discusses london preparations +5817,opening bounce round six +5818,seven times legal limit blood alcohol driver +5819,interview anthony griffin +5820,sport in ninety seconds +5821,the palace wins shorts film award +5822,bachar houli on tigers +5823,hope new flying doctor display will boost fundraising +5824,police investigate botched robbery +5825,prior punished for thurston elbow +5826,darwin duo take out 20 km argyle swim +5827,shorten vows action after 'disturbing' hsu report +5828,wall street brushes off european election results +5829,fruit flies a worry in nsw central west +5830,lucas looms as wallabies bolter +5831,cheers as romney rejects same sex marriage +5832,taxi driver punched +5833,dollar dips below parity against the greenback +5834,drew mitchell set to return against cheetahs +5835,lng ferguson petroleum exploration acreage +5836,traders say torres strait shops already subsidising food costs +5837,yahoo chief steps down over phoney degree +5838,flood recovery continues in mitchell +5839,kohler report +5840,volunteers help flood queensland town come back to +5841,ellen wins top humor award +5842,parkinson enjoying brazilian barrels +5843,australia win hockey series +5844,godfrey dol of costa exchange says glasshouse +5845,police boat back in dry dock +5846,qlds mobile womens health service faces review +5847,australian chinese relations eased by military +5848,qld government running away from accountability pledge +5849,teens arrested over assault on taxi driver +5850,blind chinese activist taken to airport +5851,funding stripped from hiv awareness body +5852,stormers grind past tahs to go top +5853,north and west eyre peninsula and broken hill +5854,alistair calvert wool +5855,fears raised of possible nsw ratings slide +5856,prom pest worries parks association +5857,family hope for schapelle's imminent return +5858,libs cop flak over police budget +5859,spanking officer has conviction downgraded +5860,agl gets green light for loy yang takeover +5861,alpine areas to get winter preview +5862,opposition senators attack govt handling of media review +5863,rezoning stoush +5864,rhiannon says sorry for attack on own party +5865,the success story of a small town chocolate shop +5866,bit of everything at goldfields arts festival +5867,corby shock parole +5868,pair arrested over 125m drug stash +5869,weson aluminium +5870,interview michael doughty +5871,interview tim sheens +5872,parliamentary inquiry to investigate food +5873,pike river floodplain purchase riverland +5874,sa pilot scheme for fly in fly out mine workers +5875,ansari syria +5876,bob dylan awarded presidential medal +5877,full archives pushes for more storage +5878,xenophon accuses labor of gambling back flip +5879,power sale bill passes nsw upper house +5880,springsteen lashes out at bankers +5881,scots make six changes for wallabies test +5882,crawf coraki +5883,pm lights beacon to celebrate queen +5884,angling for more japanese tourists +5885,belinda varischetti interviews david doepel +5886,north boss quits after board review +5887,plane crashes west of coonabarabran +5888,foreign land ownership raises tax questions +5889,richman released +5890,cascade cola +5891,former nsw mp paluzzano pleads guilty +5892,drone capability improves +5893,national rural news for friday +5894,explorer's study of sexually depraved penguins unearthed +5895,interview jacob surjan +5896,police suspect arson in rokeby house fires +5897,sydney artist to paint royal portrait +5898,hunt continues for pharmacy knife bandit +5899,memorial ride outer harbor cyclists +5900,call for tighter controls on child searches +5901,four new areas switched on to nbn +5902,business group broadens focus with name change +5903,salma in the square egypt 2011 +5904,please explain urged over airport funds snub +5905,schmidt takes stand in murder trial +5906,northern beef producers raising the bar with ai +5907,town tower wont be demolished +5908,billabong launches share offer; slashes earnings outlook +5909,murray valley to get citrus australia committee +5910,nauru pac workers +5911,power and water cost hikes budget estimates +5912,raiders dugan banned from driving +5913,world indigerous ranger conference darwin +5914,death of northern nsw man suspicious +5915,burma drugs +5916,demons lose clark for 2012 +5917,extra freight charge described as illegal +5918,india rejects mandatory video technology +5919,use of plane to fly sole asylum seeker defended +5920,abc business news and market analysis +5921,big tasmanian transport company to pay millions in +5922,water power bills private members hood +5923,planet america friday 29 june +5924,abc david hill +5925,clarke saddened by cummins exit +5926,no carbon tax under an abbott government +5927,ambre energy not giving up coal mine fight +5928,sea level rise +5929,greek pm looks to extend bailout +5930,abc entertainment +5931,chinese acrobat survives after falling from high +5932,us open golf +5933,year of the farmer environmental challenges +5934,iluka says business as usual at mines +5935,geitz tipping magic to take netball title +5936,more calls for youth crisis accommodation in broken hill +5937,conversation the science of music +5938,freier calls it quits +5939,interview scott selwood +5940,abc sport +5941,asylum issue threatens robust relationship +5942,detectives reassess search for missing grandmother +5943,blues unlikely to appeal judd ban +5944,former state mp puts hand up for mayor +5945,local govt group to achieve great things +5946,organic farmers and disappointed and worried +5947,ai weiwei talks to radio australia +5948,interview bill leak +5949,manager says time is right for mergers +5950,batman shooter saturday +5951,smith; amla give proteas solid foundation +5952,leana de bruin interview +5953,raiders run riot over sharks +5954,ombudsman concern small debt credit ratings +5955,driver five times legal limit +5956,machete victim claims to have been unarmed +5957,old town hall work to take time +5958,xld grain +5959,adaminaby outdoor +5960,casual staff laid off because of poor sugar crop +5961,chef de mission slams jones doubters +5962,local councils support canberra airport bid +5963,national rural news for wednesday +5964,herron todd whites doug knight says property sales +5965,aussies on the edge of gymnastics final +5966,australian dollar surges on euro hopes +5967,henbury carbon credits clear for take off +5968,india train fire killls at least 30 +5969,job cuts at utas +5970,things get rough in willawarrin +5971,calls for tailored alcohol programs for indigenous prisoners +5972,indonesias biggest soy importers under scrutiny +5973,winners and losers on olympics day 4 +5974,writer gore vidal dead at 86 +5975,chinese badminton player quits +5976,olympics memorabilia exhibited in glen innes +5977,police try to identify injured cyclist +5978,tongan king's daughter appointed high commissioner +5979,young farmer of the year +5980,ambulance rosters +5981,aussies miss out in men's team sprint +5982,games run on good will +5983,newly discovered bat virus may help hendra research +5984,bolt begins 100m defence +5985,murray rides wave to reach final +5986,pokie betting figures concern +5987,tas whisky wins medals +5988,i achieved everything i wanted to says phelps +5989,apy lands food gardens failing says greens mp +5990,keeping it local +5991,china drugs raid +5992,conversation asylum seekers +5993,not guilty verdict in rape case +5994,70th anniversary of kokoda remembered +5995,ekka begins under clear blue skies +5996,pearsons club responds to win +5997,regional mayors are looking to a new working group +5998,outteridges family over the moon after sailing +5999,parts shortage hampering rail fix +6000,skinner receives frosty reception from nurses +6001,waiting list for avocado trees +6002,hope for animal cruelty case to send warning +6003,new resource to stop indigenous art rip offs +6004,patrol boats crack under pressure +6005,spotted lamb seeks dalmation mother +6006,cambodian prince resigns from politics +6007,fukushima mutant butterflies +6008,interview jared and claire tallent +6009,afl tightens player poaching rules +6010,kanedisabled 01 07 +6011,mla says sheep exports expand but not enough roger +6012,mountain a 'lost opportunity' +6013,newcastle council sells two inner city parking stations +6014,police union backs o callaghan in role +6015,pressure on beale in bledisloe opener +6016,abc weather +6017,asotasi set to return for rabbitohs +6018,unanderra +6019,12 people killed in south africa as riot police +6020,cfs thief still being paid +6021,hospital crash accused to stand trial +6022,police hands go up for redundancies +6023,interview berrick barnes +6024,aussies into under 19 world cup semis +6025,extreme temperatures drought impact on koalas +6026,picking up chicks at erldunda roadhouse +6027,abbott dismisses allegations of misogyny +6028,cattle supply chain system frustrating the japanese +6029,karumba barramundi +6030,acting legend throws support behind lebanese +6031,thomson not vindicated over fwa report abetz +6032,qantas profit result +6033,sanderson calls for renewed focus +6034,gasnier hopes nrl broadcast deal will improve game +6035,john hargreaves to farewell legislative assembly +6036,strong indication rail line will go +6037,sun defies royals to publish harry photo +6038,teen crashes car after driving home from road death funeral +6039,abc business news and market analysis +6040,athletics offical speared in throat by javelin +6041,police id ultralight crash victim +6042,the drum tuesday 28 august +6043,tuesday weather +6044,nuclear threat +6045,uni students protest against election conduct +6046,vote challenge threat seat of stuart beth price +6047,mine waste concerns to spark regular briefings +6048,remembering victims of overdose +6049,former winners head melbourne cup nominations +6050,man gets six years for 'cowardly' stabbing +6051,elderly flood evacuees finally going home +6052,png government releases damning report on mv +6053,young paralympians already in training +6054,august employment figures released +6055,homestead lost in fire +6056,rural reporter coming back to camooweal +6057,maclean homophobia +6058,union rallies against tarkine listing +6059,storm damage +6060,arlen ends swimming on golden note +6061,runners take part in the annual canberra fun run +6062,bogus recruiters mar australias seasonal workers +6063,education environment accords reached as apec ends +6064,elvis bible sells at auction +6065,marine debris clean up +6066,the drum monday 9 september +6067,details of mccarthy death still sketchy +6068,new police holsters +6069,mourners honour fallen soldier at brisbane funeral +6070,forest activists' camp torched +6071,kimberley man kills and eats puppy +6072,libyans hunt us embassy attackers +6073,the kids are alright +6074,thomas denies he's out of form +6075,doubts aired over indigenous heritage laws +6076,nauru transfers silencing smugglers rhetoric says bowen +6077,adelaide to risk 'critical' petrenko +6078,nz shot putter finally awarded gold +6079,qld hospitals to help form antibiotic guidelines +6080,tuvalu hosts royals +6081,wa growers angry that coalition wants to keep +6082,a dedicated environmentalist +6083,search is on for a new melbourne cab +6084,hung jury in artist child sex trial +6085,outback gp worried about finding replacement +6086,uranium mine plans may spark legal stoush +6087,woman charged over cannabis find +6088,magpies season always fell short: buckley +6089,review urged into victor chang killer parole +6090,hockey government fudging the figures +6091,summer to return to normal +6092,no charges over turtle and dugong cruelty claims +6093,fyshwick laundry to close its doors +6094,basketball sa reluctant bidder for stadium +6095,northern rice disease not matching anything known +6096,alarming drop in orange bellied parrots +6097,swans fans celebrate scintillating premiership +6098,maccallum un +6099,police praise long weekend revellers +6100,wa dairy farmers facing challenges +6101,abbotts statement on alan jones inadequate tepid +6102,fern feature: piano island +6103,hope for camera to put brakes on speedsters +6104,power costs saving promised for some sa customers +6105,syria +6106,australia; pakistan squeeze into t20 semis +6107,fukushima fallout ushers new clean energy era +6108,indigenous doctors share cultural education +6109,livestock auctioneer mark warren says dont panic +6110,ausaid fights fraud in png +6111,hope for rio hay plan to spark other projects +6112,hope for stalled health clinic to open soon +6113,matt brann speaks to drew wagner from the minerals +6114,cobbold gorge audio charlies cross friday oct 5 +6115,hunt continues for rogue fraser is dingo +6116,port privatise +6117,breast cancer report +6118,council staff may run taxi ranks to improve safety +6119,high court welcomes new judge +6120,mexican navy kills drug lord in shootout +6121,rural areas miss out on mental health support +6122,government scraps qlds training ombudsman +6123,see the day it snowed in october in sa +6124,unemployment up so too full time jobs +6125,drowning teens rescued by off duty firefighter +6126,teens missing +6127,gillard pays a surprise visit to troops +6128,jail for man who threatened girlfriend with axe +6129,northern beef industry in serious trouble +6130,woman dies in sandon car crash +6131,wrecked concordia black box hearings begin +6132,grandstand tuesday 16 october +6133,news corps restive shareholders +6134,serial killer takes court action to ban tv show +6135,abc weather +6136,cambodia sihanouk arrives home +6137,irc to rule on ambulance roster dispute +6138,ofarrell concerned about federal funding future +6139,teenager charged over alleged stabbing +6140,bearded adventurer rescued of nsw coast +6141,contract let for new abbot point coal export terminal +6142,drivers warned to take care transporting volatile +6143,former priest to be charged with child sex offences +6144,grain receival site opens in west +6145,kate carnell speaks with craig allen +6146,water assets to stay in public hands +6147,extra police sent to troubled wadeye nt +6148,solomon islands reshuffles cabinet ahead of no +6149,ccs global snapshot +6150,council rolls out welcome mat to rv users +6151,fairfax papers close +6152,gatewood scores vital geelong cup win +6153,hundreds of jobs on offer at windale expo +6154,indon fishing boat destroyed redo +6155,late wet tipped as el nino goes missing +6156,methane conversion makes piggery carbon neutral +6157,fiji money laundering +6158,cyclone tracey recovery leader stretton dies +6159,exports from darwin +6160,giles rejects calls for new alice footy stadium +6161,lions hudson hangs up boots +6162,opi official steps down +6163,us company hopes to mine asteroids +6164,milk 'price war' leads to dire dairy warning +6165,world heritage uncertainty blankets cape york +6166,flying doctor rescues up by a third +6167,regions face total fire bans +6168,thursday weather +6169,barbara miller reports on escalating tensions on +6170,bergmann notes from the obama battleground +6171,double fatality closes brand highway +6172,palmerston hospital crossing please explain to tollner +6173,states work out sharing amounts +6174,ad blitz targets indigenous pregnant women +6175,bulls beat blues in sheffield shield +6176,bowen harvest wraps up +6177,cup hope lucky to be alive +6178,education agreement struck between uni and tafe +6179,man burnt in generator explosion +6180,algae fears bloom from officer of water job cuts +6181,grandstand tuesday 6th november +6182,green moon takes out melbourne cup +6183,planet america electoral college explainer +6184,tuesday weather +6185,central qld cities miss out on government funds +6186,investment boosts western victorian timber harvest +6187,kewell in talks with perth glory +6188,fears traveston dam references scaring mary valley +6189,streets away wins kyneton cup +6190,plane crash +6191,pregnancy testing the waters +6192,interview barry richards +6193,interview lisa alexander +6194,meares named australian cyclist of the year +6195,denmark to scrap world's first fat tax +6196,cia chief petraeus quits after admitting affair +6197,interview allan donald +6198,tariffs plan may spark energy projects rethink +6199,abbott blames personal attacks for poll slumps +6200,interview keith bradshaw +6201,lady elliot island water policy downs carbon footprint +6202,mongolian ambassador says aus lawyer unlikely to be charged +6203,service to farewell central qld business identity +6204,parliament amends qlds planning court laws +6205,engineers shortage feature +6206,law abiding bikers have nothing to fear from gang +6207,death toll mounts as gaza ceasefire fails during egyptian visit +6208,reward for information about tree vandalism +6209,interview gordie mcleod +6210,swans' bolton to play on +6211,tempers flare at pro development rally +6212,abbott details proposed inquiry into childcare costs +6213,central qld still on storm alert +6214,rabbitohs confirm crowe selling up +6215,team commissioned to develop a tasmanian freight +6216,beckham gets set for last hurrah +6217,cessnock council set to block csg access +6218,more people seek out emergency housing provider +6219,palmer hits back at council about resort dinosaur +6220,blair athol mine closes +6221,rally calls for tougher penalties for domestic violence +6222,southeast asia media watchdog calls for protection +6223,sun coast man accused of 1996 sex attack +6224,factory fire kills 112 in bangladesh +6225,police hunt armed servo bandits +6226,stratford residents oppose mine expansion +6227,big wind farm project for king island +6228,crane fire in sydneys c b d +6229,hope for revamped college to inspire new +6230,northern abattoir work begins +6231,ombudsman says sa councils too secretive +6232,singleton indigenous +6233,govt departments to meet over 247m rates shortfall +6234,interview robin peterson +6235,matt brann speaks to matt digby about rabbits in +6236,review says wa's gst demands dont add up +6237,support aired for lake gregory horse cull +6238,un votes to give palestinians non member state status +6239,interview renee gracie +6240,oatlands heritage stoush +6241,wallabies triumph over wales +6242,friday late pm +6243,stockhorse mare fetches highest price at dalby +6244,far west health service avoids job cuts +6245,pedestrian seriously injured after car rolls onto footpath +6246,tasered man to sue police +6247,banks ought to do right thing swan +6248,china law +6249,court told of orica's 'tough luck' attitude to residents +6250,national press club mark masterson +6251,north korean skatepark +6252,heat cools fruit and vegie prices +6253,surfboard trek to put gold coast tram plans on track +6254,nurse who took prank call found dead +6255,hunt on for gang behind taree home invasion +6256,no remorse for robbery inside man +6257,police seize methylamphetamine in albany +6258,half day public holiday changes urged +6259,plea negotiations for accused priest +6260,ipcc draft climate report leaked +6261,no compo for quadriplegic shooting victim +6262,beachfront residents warned to be king tide ready +6263,creaming of christmas at karoola +6264,no signal coming from north korean satellite +6265,questions remain over hospital contract eligibility +6266,jones apologises for 'unlawful' muslim comments +6267,rv csg +6268,window cleaner rescued after dangling off highrise +6269,victory growing under ange muscat +6270,abdel fattah multicultural christmas +6271,a league lounge december 24 +6272,shares set to rise before traders take a break +6273,lambley on mutitjulu riot alcohol +6274,rafael nadal withdraws from the australian open +6275,interview shaun marsh +6276,looking back on china in 2012 +6277,r182b rating comes into effect +6278,charlie mcelhone dairy australia +6279,cyclone freda moves away from qld coast +6280,national rural news wednesday 2nd january +6281,giant duck glides into sydney harbour +6282,julie marie bickford executive director of the +6283,beazley awards +6284,forcett fire places homes at risk +6285,interview matthew wade +6286,science moves closer to making cybermen +6287,maccallum compulsory voting +6288,newton india rape +6289,prawn harvest in north queensland ramps up after +6290,live weather updates +6291,drug crop found after fire disrupts highway +6292,ian shepherd from the bureau of meteorology +6293,people stranded as rollercoaster comes to standstill +6294,australian farms hold appeal for south africans +6295,stephanie coombes speaks to tyne mcconnon +6296,china inflation comes in above forecasts +6297,national rural news friday 11th january +6298,reddit co founder aaron swartz dies +6299,egyptian court orders mubarak retrial +6300,nra doubts obama will get tougher gun laws +6301,phone gambling games +6302,monday markets +6303,police appeal for help in missing tourist case +6304,sri lanka gets new chief justice after impeachment +6305,un group links heatwave to climate change +6306,cussen living on newstart +6307,grandstand wednesday 16 january +6308,stud cattle perish at coonabarabran +6309,bathurst murder +6310,fire danger predictions ease +6311,showpiece farm severely damaged by bushfires +6312,moonya creditors to meet +6313,vandals close dimboola pool +6314,armstrong promised wife he would not dope +6315,png opposition launch detention centre challenge +6316,abc business +6317,dairy farmer breaks from the herd on milk prices +6318,djokovic bounces back with comfortable win +6319,residents warned of bushfires in harvey and bunbury +6320,blazeaid puts the call out for volunteers +6321,ginger import report premature growers +6322,indian panel seeks tougher penalties for sex crimes +6323,oyster virus poms +6324,spike in typhoid cases linked to low cost flights +6325,spirits down over grand final doubt +6326,queensland cattle stations count the cost +6327,storm forces darwin flight to be diverted +6328,festival drug 'supermarket' attracts police scrutiny +6329,public urged to dob in a druggie +6330,western qld graziers looking to destock +6331,grassfire blamed on illegal burn off +6332,passenger train derails in nt +6333,wednesday markets +6334,outage sparks telstra back up pledge +6335,barra season +6336,date set for toddler murder trial +6337,hostel abuse compensation scheme panned +6338,mullaley quarry seeks up to 600000 tonnes a year extraction +6339,terry mills to europe for gas talks +6340,capitals record shock win over townsville in wnbl +6341,super bowl interrupted by power failure +6342,missing geraldton man found dead near bike +6343,stabbing puts school in lockdown +6344,abc business news and market analysis +6345,ponting turns game in tigers' favour +6346,senator christine milne leader of the australian +6347,ses flood crews return from ground zero +6348,the food quarter +6349,betting ban would increase match fixing bookies +6350,evans hits out at labor leaks +6351,major parties agree on need for liquor reform +6352,more tests to pinpoint source of rutherford stink +6353,rinehart dominates at bald archies +6354,england cruises to t20 win +6355,listen to professor natalie stoeckl speak with +6356,woman missing on gold coast +6357,rirdc wa finalist with a taste for honey +6358,us police deny body recovered after cabin shootout +6359,art works stolen alice springs +6360,blues thrash redbacks to keep finals hopes alive +6361,new sars like virus shows person to person transmission +6362,abc sport +6363,interview mark anderson +6364,baby formula companies contact mothers +6365,melbourne construction worker killed in fall +6366,nyngan farms run dry +6367,crean warns against dumping gillard +6368,green light for fire containment line +6369,southern cross counts cost of royal prank +6370,talks held in nurses pay row +6371,too early to fix bundabergs sunken marina +6372,measuring the impact of logging a complex matter +6373,foreign wine sales continue to rise +6374,jail for man over 1959 child sex crimes +6375,report says berrimah farm is ready for residential +6376,senator richard colbeck +6377,swan to promise rigorous audit of election policies +6378,tunisia interior minister tapped to become new pm +6379,man hunt after aspiring rapper shot dead on vegas strip +6380,swimming scandal analysis +6381,daisy smith interviews professor stephen powles +6382,afl to fast track concussion guidelines +6383,dredging needed before sugar port can reopen +6384,newcastle wool identity +6385,superintendent dominique kakas speaks with pacific +6386,upper hunter winery's waste warning +6387,barty falls in kl quarters +6388,company fined for harvester accident +6389,maher act political rematch +6390,national rural news for friday +6391,new code crackdown on local council problems +6392,push to change double jeopardy laws +6393,thai blast injures six people +6394,flooding isolates parts of northern nsw +6395,v8 supercars adelaide 500 race two wrap +6396,dr sandra close gold +6397,the beef cattle property linga longa at wingham +6398,bats move in to blackalls park +6399,drew radford reporting on collapse of one world +6400,roo let loose in parliament chamber +6401,dead ant +6402,hazara men set to be deported from melbourne +6403,vlad sokhin speaks to richard ewart +6404,gpt shutdown +6405,making money from flood debris +6406,napthine says baillieu made his own decision to step down +6407,continuing heatwave prompts health fears +6408,facebook news feed becomes 'personalised newspaper' +6409,media call cameron white +6410,water into wine +6411,wheatley led consortium buys sun coast fm stations +6412,liberals on course to win +6413,suu kyi calls for nld unity +6414,interview chris lucas +6415,wanderers extend lead with win over phoenix +6416,fijian parents of beaten man call for punishment +6417,nitmiluk hosts parks week finale +6418,next pope top 10 contenders +6419,parkinson moves into semis with perfect 10 +6420,projects hit by roofing firm woes +6421,teens escape injury after car crashes into house +6422,mental health advocates press for incarceration changes +6423,stolen truck used in triple ram raid +6424,emerson takes aim at qld premier over gst +6425,recovery centre aims to rehabilitate ptsd victims +6426,half baked bag of proposals +6427,interview neil henry +6428,apprentice jockey hurt in race fall +6429,sharemarket falls amid cyprus concerns +6430,farmers agronomists and processors get together to +6431,police plead for missing man clues +6432,three councils leave noroc +6433,torbay urged to come clean on shock resignation +6434,dairy group worried about woolworths plan to buy +6435,explainer behind the cyprus financial crisis +6436,fiji interim pm confirms he will stand for election +6437,gillard dismisses abbott's early election threat +6438,hughes shooter linked to prison bashing +6439,blockage over drinking water tank safety +6440,van vote +6441,aussie crew ends winning us run +6442,four wheel drive sales double +6443,australian super ceo ian silk speaks at the asic +6444,sri lanka bangladesh odi abandoned +6445,tributes to john quintana and charlie maher +6446,former military ruler joins democratic race +6447,outback camel traveller not done yet +6448,amadeus basin oil discovery declared viable +6449,farmers told to turn stress into creativity +6450,genome study leads to cancer breakthrough +6451,christians worldwide good friday +6452,interview graham arnold +6453,easter celebrations in canberra +6454,police investigate suspicious death of 3yo brisbane girl +6455,thailand created tourisy safety zones +6456,top end easter gets rained on +6457,accused griffith shooter again denied bail +6458,fanning bows out at bells +6459,gippstafe chairman among sackings +6460,tigers appoint marsh as coach +6461,woman banned until 2062 caught driving +6462,future of adelaide arena +6463,busselton fire under control +6464,first clues in search for dark matter +6465,mckenzie clear favourite to coach ireland +6466,vietnamese asylum seekers sent to manus island +6467,mayor angry over confrontation with protesters +6468,police investigate random stabbing +6469,preferred builder for bendigo hospital named +6470,super industry executive responds to reforms +6471,tuvalu opposition moves to force by election +6472,vietnam fish farmer sentenced to five years prison +6473,woman pleads not quilty to murdering her baby daughter +6474,fighter jet hangs up its wings +6475,interview ivan cleary +6476,labor pledges support for lara giddings +6477,man charged with murder over remains found in mangrove +6478,china starts tourist trips to disputed islands +6479,more warnings from north korea +6480,man remains in custody over cairns murder +6481,military inquiry +6482,closure looms for farmer health centre +6483,man charged with rape and assault +6484,qld researchers aim to turn algae into fuel +6485,reassessment to be done on margaret thatcher says greer +6486,filipino oil rig workers paid less than 3 an hour +6487,surry hills fire forces evacuations +6488,a long way from home +6489,aquaculture zone expands +6490,grain market analyst says days of the traditional +6491,shy dolphins under boffin microscope +6492,spate of toxic jellyfish stings of north west coast +6493,all torque april 12 +6494,interview ben mowen +6495,interview sam thaiday +6496,interview terry campese +6497,three way tie for the lead at augusta +6498,insurance companies under fire for flood premiums +6499,interview anthony watmough +6500,interview brett deledio +6501,interview robbie farah +6502,actew chairman john mackay resigns +6503,isner wins first clay court title +6504,united close in on 20th title +6505,police seize more than 30 kgs of cannabis +6506,the swedish take on aussie dairy farming +6507,bendigo tafe chairwoman reappointed +6508,bombers will be caught obama tells boston memorial +6509,businessman jailed as customers count losses +6510,new national university opens in solomons +6511,dead chooks no health risk says shire +6512,top brass attend newcastle fire centre opening +6513,indian girl fights for life after kidnap and rape +6514,nibali lands overall trentino win +6515,brisbane inquest told neighbour witnessed murder +6516,bullying allegations in police force 'buried' +6517,carjacking +6518,kids to get say in childs plan +6519,rock icon chrissy amphlett dies in new york +6520,syria +6521,aussies to draw inspiration from 89 +6522,darwin river dam +6523,pest app +6524,push on to make patient move easier +6525,sickly stock being euthanased at livestock sales +6526,glen heath +6527,cipriani hit by a bus says club +6528,vc recipient reads soldiers letters +6529,magpies lose toovey for the season +6530,nurses prepare to strike over safety concerns +6531,victorians hit with parking fee hike +6532,aussie williams drafted by nfl's seahawks +6533,police go down again in the annual harts range +6534,waff funding reax +6535,call for upgraded patient travel scheme +6536,debt not dubai for lord mayor +6537,explosives found on carlisle building site +6538,extra medics sent to deal with guantanamo hunge strike +6539,council to work through parklet issues +6540,lawyer questions warrants in mackay cocaine case +6541,png to toughen violent crime penalties +6542,dean revell +6543,messenger named as first federal palmer party candidate +6544,mum pleads for help for australian on saudi terror charges +6545,outback hot rock test site powers up +6546,broome blaze considered suspicious +6547,dandenong man charged with manslaughter +6548,johns meets with racing nsw investigator +6549,interview david furner +6550,japan clinches sixth asian five nations title +6551,interview corey flynn +6552,state budget funding hopes aired +6553,train station targeted by environment campaigners +6554,abc business editor peter ryan on the rates +6555,barley crop sown in botanic gardens +6556,bioenergy +6557,qch qdo resign +6558,abc sport +6559,act set to sign up to gonski reforms +6560,morris in doubt for origin +6561,where is the working age population of albany +6562,fuel reduction burn escapes +6563,sa premier sounds warning on holden +6564,smokefree minesites will cause resentment: cme +6565,china mine +6566,a pioneering tafe course works to help indigenous +6567,pleas changed in compensation fund fraud case +6568,syrian death toll hits 800 +6569,abc business +6570,international climate hits australian economy +6571,pest experts converge on adelaide +6572,evans still second as uran claims solo win +6573,budget shows we live in a culture of entitlement +6574,dec report ignites call for firefighters safety +6575,email leak damaging for wallabies: foley +6576,rattenbury run in with roo +6577,rinehart comments labelled 'misguided' +6578,troy buswell explains transport plan +6579,journalist breaking new ground +6580,big four banks continue record run on market +6581,warnings over gambling apps targeting youth market +6582,abc business news and market analysis +6583,livestock meat council brian stewart +6584,obama offers full support to tornado victims +6585,oklahoma tornado aftermath on social media +6586,vaccination leaskwillaby +6587,vegetation laws +6588,wednesday markets with martin lakos +6589,bernanke comments sways markets and australian dollar +6590,changes to china coal imports +6591,guangzhou ends mariners acl campaign +6592,health pay stoush +6593,invasive cacti conference +6594,smoking ban at agricultural show +6595,stakeholders briefed on low aromatic fuel success +6596,thrill of discovery drives outback dinosaur dig +6597,yuendumu fraud woman pleads guilty supreme court alice springs +6598,body washed ashore at elle beach near coral bay robert shugg +6599,nauru confirms june 22 elections +6600,new body aims to maximise commonwealth games legacy +6601,new clinic for john hunter children's hospital +6602,public lands +6603,interview nic white +6604,pm calls full time on live betting odds +6605,monday markets wtih ken howard +6606,boyd still in the running while nsw ponder gidley replacement +6607,quiet night on markets as wall st london closed +6608,the finance quarter +6609,environment group accuses government of advocating on behalf of +6610,needy people turned away over lack of resources +6611,qch white wreath suicide +6612,two charged with assaulting police +6613,union calls for bipartisan support for local shipbuilding campa +6614,federer; williams show no mercy at french open +6615,ozcare confirms wide bay staff wont be rehired +6616,koser afghanistan withdrawal and asylum seekers +6617,serb intelligence chiefs acquitted over death squads +6618,aged care fears aired for port lincoln +6619,indonesia mine to shut down after accident +6620,lorenzo completes hat trick of italian wins +6621,mid west milling in receivership +6622,government to review speed limits on qld roads +6623,bare bones budget delivers no big surprises for north qld +6624,grandstand wednesday 5 june +6625,more support services urged for drought hit farmers +6626,norah search +6627,abc weather +6628,buttler stars as england stops kiwi run +6629,mapping technology used by traditional owners +6630,nt bar association on indigenous incarceration coag council rep +6631,david papps basin water plans +6632,palmer endorses farmer to contest groom +6633,wide ramifications for epa decisions from trial outcome +6634,call for inquiry over greenberry payout +6635,cancer council frustrated with regional smoking +6636,cooper attacked at hotel report +6637,dr gabi hollows awarded queens birthday honour for +6638,interview heath shaw +6639,emergency services levy prompts rural firie backlash +6640,free range piggery success +6641,new clue man missing snowy mountains +6642,bikie granted bail over gold coast lifeguard assault +6643,elderly woman dies in wallabadah fire +6644,group gets coal terminal tour after airing dust +6645,calls to revist live bird import laws +6646,fatal crash driver makes tearful apology +6647,indonesian rupiah slumps to four year low +6648,star food label proposal +6649,storm could dampen thrill of open star group +6650,bolt banishes rome blues with classy 200m win +6651,former argentinean president carlos menem jailed for seven years +6652,indonesian vice president says action needed on fuel subsidy +6653,interview kim mickle +6654,nrn momentum builds for png cattle exports +6655,dozens dead in twin attacks in pakistan +6656,vekic into final in sharapova echo +6657,clough says mining industry coming down to earth +6658,interest in fixed home loans surge +6659,spokesman says father shocked by sons grappa +6660,scouts land to become resort style camping site +6661,freeze on act politicians pay levels +6662,mudgee tafe +6663,no royal ascot success for shamexpress +6664,your say expats returning home in droves +6665,melbourne shivers through coldest night in 11 years +6666,paul kelly exhibition portrait gallery +6667,alpine resorts warned to be fire ready +6668,fonterra oil drilling +6669,online sale for manjimup truffle +6670,qch ceo vinnies sleepover +6671,kristi abrahams faces sentencing hearing +6672,opals finish china series on winning note +6673,apal meets tasmanian growers +6674,large animal rescue +6675,newcastle uni ourimbah students accuse management of administra +6676,shute shield 2013 round 12 preview randwick v +6677,stage three of newman cbd plans revealed +6678,timboon school expected to reopen next term after discovery of +6679,anglicare to sell nursing homes +6680,shorten discusses leadership spill +6681,tommy bowe recalled by british and irish lions for wallabies +6682,us cuts bangladesh trade privileges over worker safety +6683,former refugee realises dream with ordination +6684,british grand prix 2013 nico rosberg wins mark +6685,cirque du soleil performer dies after falling 15 metres +6686,electricity and water fees increase as householders slugged +6687,labor race heats up for qld seat of rankin +6688,work set to start on new wastewater treatment plant +6689,dna used to do barramundi parent checks +6690,ford men who make it feminist +6691,irb clears horwill a second time +6692,egypt army plans to dissolve parliament suspend +6693,gold coast gunmen bash robbery victim with +6694,japan rejects australias argument in whaling court case +6695,missing croppa creek boy found +6696,thousands of troops to invade central qld for war +6697,lengthy legal battle ends in 300k superannuation payout +6698,pollie travel +6699,uhlmann labor is sinking and the captains are to blame +6700,uk surveillance firm denies bugging ecuadors embassy +6701,ashes moments 2005 edgbaston nail biter +6702,hardaker democracy in egypt +6703,wallsend hoarder cleans up his act +6704,struggle for control in the arthur pieman +6705,union on nurse education cost tax cap plan +6706,china free coal policy found to cut life expectancy +6707,rudd holds talks with xi jinping +6708,bowen warns against deals with other parties to secure office +6709,greens senator seeks anti compeition investigation of king isla +6710,queensland vegie grower looks to victoria to enhance production +6711,agar thanks hughes for crucial support role +6712,body found in whyalla backyard major crime dianne rogan +6713,hunting reform +6714,windscreen smash +6715,aussies would have done the same as broad boycott +6716,third person dies from injuries in san francisco crash +6717,ashes 2013 live: first test day five +6718,katter; palmer at odds over claims mining magnate offered fin +6719,asylum seeker boat capsizes near christmas island +6720,contador defends froome +6721,eels ceo edwards departs +6722,woman dies in lakeland road crash +6723,new group pushes for more qld council de amalgamations +6724,questions over football league future +6725,rolling stone under fire for boston bomber cover +6726,ashes second test day two live blog +6727,dinosaurs more warm blooded that thought say researchers +6728,government orders full review of actew +6729,how it happened png to resettle asylum seekers +6730,interview daniel mortimer +6731,radical cleric abu qatada denied bail in jordan +6732,monday markets with ken howard +6733,the clubhouse july 22 +6734,asylum seekers see no choice but to get on a boat +6735,baby boy to royal couple +6736,central beef brand +6737,gold surge helps sharemarket push above 5000 mark +6738,father brian lucas giving evidence on pedophile +6739,singer josh pyke to guide young gold coast musician +6740,jim molan explains military chain of command for +6741,olympic medallist broben misses world diving final +6742,raa says new report reveals below standard roads +6743,coin liquidation meeting +6744,government faces multi billion dollar headache +6745,japa in trans pacific partnership good news for farmers +6746,nuclear experts blast fukushima nuclear plant operators +6747,north korea mark 60th anniversary of war armistice +6748,new owners for hobart's historic hadleys hotel +6749,two halves monday edition +6750,apple supplier under scrutiny over labour +6751,brumbies ready for grand final against the chiefs +6752,proposed mining laws described as discriminatory +6753,report recommends 23m flood levee +6754,abbott promises to reform tax red tape and levels +6755,bowen promises five year freeze to superannuation policy +6756,china heat death toll shanghai +6757,mark butler describes the mines new conditions +6758,seebohm takes silver in 100m backstroke +6759,emu farming; is there a future in australia +6760,ticky speaks with david buik in london +6761,initial report into csg released +6762,australia in control after day two at old trafford +6763,cities report points to caring communities +6764,hames refuses to confirm expanded hospital +6765,sydney man admits sending abusive letters to dead afghanistan v +6766,mav urged to return local govt referendum +6767,protection ruling on mt kaputars pink slugs not till xmas +6768,rbas interest cuts a prudent measure economics professor +6769,icc denies hot spot cheat report +6770,jobless rate tipped to rise +6771,two halves august 9 +6772,green light considered for shires first traffic +6773,kevin rudd dismisses criticism for using notes during debate +6774,nationals candidate to run in corangamite for first time in 25 +6775,dingo fence falling down +6776,egypt in deadly turmoil as security forces crack +6777,fed pols nova peris campaigns central australia +6778,joel nelson california citrus +6779,police interview steve constantinou about johanna +6780,adel salman +6781,black spot plans +6782,essendon will not cut corners to meet afl hearing deadline +6783,farah signs new four year deal with tigers +6784,rural sach worms 1508 +6785,controversial french lawyer verges dies +6786,global markets fall +6787,australian baseballer shot fatally in america +6788,beattie in townsville to put logan on the map +6789,interview kathryn mitchell +6790,new barley money +6791,nurses union holds crisis talks on overcrowding +6792,fossil of giant wombat like creature goes on display +6793,mother of alleged shooter backs sons innocence +6794,prosecutors demand bradley manning spend 60 years in prison +6795,ashes preview fifth test at the oval +6796,japan upgrades fukushima radiation leak to serious incident +6797,new documents reveal complaints about former prison boss +6798,nsw great debate +6799,turkey threatens nsw parliament over armenian genocide vote +6800,usa considers withdrawing aid from egypt over +6801,waff cites benefits in decentralised federal ag +6802,assange blames party teething problems +6803,penny wong says forum revealed the real tony abbott +6804,qld government promises youth boot camp numbers wont be cut +6805,ausveg election policy +6806,canadian wheat deregulation +6807,mums weigh in on parental leave +6808,irish migration to australia increasing +6809,nth korea objects to sanctions ban on ski resort equipment +6810,uk deputy pm demands legal check on anti terrorism arrest +6811,alleged syrian chemical weapons highly toxic +6812,assange the real threat to australias sovereignty +6813,expatriate and remote polling booths open for +6814,man charged after allegedly breaking in to holden site +6815,sarina gets chance to quiz capricornia candidates +6816,wilcannia team calls for grand final replay +6817,qantas back in the black with wafer thin profit +6818,alcohol experts call for education on home distilled alcohol +6819,litchfield plea +6820,nt alcohol consumption fall govt report shows +6821,joe hockey defends late costings release and tony +6822,the drum monday september 2 +6823,abbott threatens double dissolution on carbon tax +6824,canberra too quiet for some chinese students +6825,fair work ombudsman follows up on strawberry farms +6826,fines to be issued for election sign breaches +6827,grass a growing worry for fire crews +6828,icac dealings private until they reach court +6829,ivf ag show +6830,vanuatu airport contract raising questions +6831,capricornia candidates speak out at election forum +6832,dairy farmer describes flood damage +6833,media call brad haddin +6834,nrn record lobster price +6835,vote compass left right electorates +6836,a tasmanian council has outraged a men's support group by dem +6837,mayor heads to taiwan to lure foreign investment +6838,police prepare to greet bikies influx +6839,the drum friday september 6 +6840,its always tight in eden monaro mike kelly +6841,solomon seat looks set to stay with coalition +6842,asylum seeker new government +6843,interview kevin kingston +6844,engineers threaten industrial action over act pay offer +6845,foreign national faces court over act of indecency +6846,nrn researchers critical of mla handling +6847,barnaby joyce plays down nationals leadership aspirations +6848,bill gates big history +6849,billy bragg headline act for womadelaide in 2014 +6850,extended interview with john anderson +6851,new australian prime minister puts the region first +6852,nt prisoners set to work at central australia salt mine +6853,australian trekkers injured in deadly attack on +6854,csg plant approved +6855,lifetimes passion going under auctioneers hammer +6856,indonesia set to reject abbotts asylum boat plan +6857,rural sa big crop 1209 +6858,security breach forces evacuation of mount isa airport +6859,cannabis plants seized in northampton drug bust +6860,opposition challenges premier to make a decision on future of i +6861,sydney swans adam goodes ruled out for rest of +6862,tony abbott and kevin rudd share an awkward moment +6863,malaysia extends controversial affirmative action +6864,newcastle poet under siege over 'patchwork' poetry +6865,russell search +6866,sanfl finals north thrashes central west adelaide beats eagles +6867,turf club awaits clifford park track decision +6868,minister announces six qld schools to close +6869,measles outbreak prompts call to immunise +6870,other sports at high risk from betting syndicates +6871,police plead for missing woman clues +6872,abbott refuses to explain sacking of public service chiefs +6873,australia names 14 man squad for india odi tour +6874,gold coast ballet sisters call it a day after 60 years +6875,tourism operators concerned over tonga plane safety +6876,tipperary carbon credits +6877,hens fc september 21 +6878,man appears in court charged with abuse of boy who died +6879,too early to tell how close qantas planes were to disaster +6880,q al afl grand final special +6881,costa concordia captain blames helmsman for steering wrong way +6882,afl grand final prevew can hawthorn answer fremantle challenge +6883,tap on shoulder for sa water managers +6884,what a week prliminary finals +6885,fourth quarter highlights +6886,deadly nigeria ferry accident africa travel +6887,breakthrough brings cure for ms sufferers closer +6888,interview daniel mortimer +6889,bob and sandy oatley confirm americas cup challenge +6890,nt cattlemen learning from csg experience +6891,regal arson +6892,terry campese awarded ken stephen medal +6893,cyclists up against the weather today +6894,linc ditches the asx and hits the road to the sgx +6895,booberowie carob +6896,calls for more investigations on giles abattoir +6897,car thefts in wa on the rise +6898,council reveals airport board documents +6899,glencore still working towards collinsville coal +6900,push to finish bass highway duplication before +6901,upgrades for busy warners bay intersection +6902,us farm bill quietlexpires +6903,act surgery waiting times improving +6904,camping grounds remain closed by crowdy gap bushfire +6905,nrl grand final manly roosters +6906,pair jailed after 400 km high speed chase +6907,png rugby league footballer talks about pacific +6908,roosters seal comeback win over manly +6909,decision looming on singleton miners camp +6910,sport in ninety seconds +6911,boys accused of kalbarri crime spree +6912,vic country hour 8 october 2013 +6913,sa country hour 09 october 2013 +6914,some petrol stations in south east qld run dry +6915,a conversation with rick stein +6916,alliance to make new murray infrastructure bid +6917,report finds parks and public space lost in nsw +6918,vch season talkback +6919,djokovic beats del potro in shanghai thriller +6920,feral cat +6921,goldfields gets 55k towards prickly problem +6922,nrn bjd update +6923,woorabinda police crack down on sly grogging +6924,china milk +6925,rural nsw badfrost +6926,wallabies set to take pay cuts to help rid australian rugby of +6927,access to technology vital +6928,australian man dies after everest avalanche +6929,josh dugan's manager facing manslaughter charges +6930,judge warns of the dangers of the drug ice during sentencing +6931,search cancelled for eight missing men in torres strait +6932,water security +6933,father of firefighter speaks with 702 abc sydney +6934,firefighters say threat remains despite cooler conditions +6935,nrn tuna quota jump +6936,fawkner expected to back up in melbourne cup despite penalty +6937,gold coast council not backing reedy creek quarry +6938,stephen damiani joins abc news breakfast +6939,baby whale dies in northern beaches shark nets +6940,bra artworks support breast cancer research +6941,poppy crop thefts on the rise +6942,school health staff +6943,the bureau of meteorology predicting a warmer than normal summer +6944,mominul haque posts century to lead bangladesh's comeback aga +6945,police name forklift accident victim +6946,smithton abattoir workers picket over pay +6947,trio chase world cup +6948,li na defeats victoria azarenka to qualify for wta championship +6949,at least 20 dead in the philippines pre election violence +6950,electrical gear blamed for sparking theatre +6951,lou reed meets the australian press in 1974 +6952,calls for community reference group for major events +6953,minister says community concerns about east west link will not +6954,nations come together to dispose of old +6955,nrn shearer 2910 +6956,queensland oyster season +6957,hay price slide +6958,atm machine set on fire in perth +6959,chinese human rights julie bishop +6960,mark greig joins abc news breakfast +6961,rural qld rural reporter music students are over the moon +6962,detectives discover 2 million cannabis crop +6963,new mental health unit opens in adelaide +6964,stomach cancer survivors organise walk to raise money +6965,tall tower for belconnen given tick of approval +6966,top end agriculture heads to china +6967,wawrinka gasquet through to world tour finals +6968,melbourne cup preview +6969,tonga quake +6970,astronaut chris hadfield on space oddity +6971,doctors complicit in torture at cia; military prisons: study +6972,hundreds celebrate malaysian food and culture at melbourne +6973,padre petition bruce redman +6974,3yo boy fatally run over in south west qld +6975,gympie saddles up for melbourne cup day camel +6976,rfs says number of kids lighting fires is unprecedented +6977,david hicks lodges appeal against terrorism +6978,hsc maths paper too hard claim teachers +6979,territory trepang harvest gets underway +6980,a league lounge november 7 +6981,cahill injured as new york loses in mls playoffs +6982,interview kim crow +6983,mystery woman dublin ireland australia protective custody +6984,greens senator lee rhiannon detained by officials in sri lanka +6985,alleged bandido granted bail on riot charge +6986,plan to consider port macdonnell public space +6987,australians worried depression will cost their job study +6988,karen williams murder new information makes police hopeful of f +6989,warrnambool cheese and butter +6990,amc may never be fully human rights compliant +6991,bundaberg man safe after typhoon hiayan +6992,nsw steve whan drought +6993,decision looms on future of mckinlay bush nurse +6994,nasa seeking to find out why mars lost its surface +6995,this photo is worlds first selfie +6996,man jailed for island shooting +6997,politician pay hearing behind closed doors +6998,two deadly crashes on the pacific highway in less than 12 hours +6999,beirut suicide bombing escalates sectarian tensions +7000,great barrier reef map +7001,new look wallabies named for scotland +7002,resources sector surprised about mining ban parts of cape york q +7003,shane watson caught at slip for 22 +7004,warning issued over chemical in seized sydney drugs +7005,london police rescue three women held captive for 30 years +7006,reports of fake produce cartons landing in middle east +7007,dallas jfk anniversary john f kennedy lee harvey oswald +7008,dr karl +7009,anti vaccination group loses appeal against name change order +7010,barry ofarrell wrong on proceeds of crime +7011,berg a reputation for competence must be earned +7012,early rain on cape york has put new laura bridge underwater +7013,your say lockout laws to curb alcohol fuelled violence +7014,anthony mundine vs shane mosley +7015,grandstand tuesday 26 november +7016,man drowns at fingal spit +7017,man pleads guilty to smuggling australian lizards to japan +7018,brown in trouble at suns after overseas incident +7019,next nrl season probably my last anasta +7020,teen boy charged over finger gun attempted bank heist +7021,thai pm survives no confidence vote +7022,work set to start on yeppen south bridge +7023,koalas give scientists hope for their survival +7024,ashes: abc ground announcer denies racial slur against monty +7025,elderly man dies in head on crash in tasmania's north +7026,agchatoz twitter +7027,nsw teachers vote overwhelmingly in favour of pay deal +7028,convicted insider trader john gay applies to manage companies +7029,byron fight figs +7030,glory takes points in free flowing battle +7031,mandela remembered for his influence on sport +7032,southern star observation wheel set to reopen soon +7033,world banks gavin murray on a pilot project +7034,grandstand at stumps second ashes test day two +7035,analysis on singapore riots +7036,costa foreign investment +7037,driver dies in keith car crash +7038,climate change report sparks call for better +7039,garbage truck parked outside parliament house highlights waste +7040,mum a lucky charm for snooker champion robertson +7041,australia and png to change focus of relationship +7042,inquiry reveals hidden problem of slavery in nsw +7043,phillips abbot point +7044,toyota court ruling working conditions vote +7045,mango nutrition workshops +7046,quarry expansion to need extra approvals +7047,bangladesh protests +7048,yemen says air strike targeted al qaeda leaders +7049,canberra trio sentenced over failed murder plot +7050,high wages for foergin ship workers pushing up tasmanian freigh +7051,third ashes test day five highlights +7052,mad 8 legend +7053,family competes for lord howe island race record +7054,boris becker surprised by offer to coach novak djokovic +7055,egypt court jails anti mubarak activists +7056,fisherman drowns in fall from boat +7057,foodbank christmas +7058,guns stolen from car parked in driveway +7059,weather roger hickman sydney hobart race +7060,antarctic rescue could be hampered by blizzard +7061,egypt brotherhood +7062,phoenix beats melbourne heart +7063,grandstand breakfast new +7064,wa miners brace for cyclone christine impact +7065,armed police storm building after shooting +7066,coca cola's cascade +7067,gold price still strong in aussie dollars +7068,junaids five keeps pakistan on top in first test +7069,schumacher not going fast at time of crash +7070,cancer feature +7071,carrusca to miss sky blues clash +7072,customers line up for first legal recreational +7073,adelaide musician prepares for educational pilgrimage +7074,beirut blast kills at least four in hezbollah stronghold +7075,economist sees signs that low rates are boosting +7076,nrn health heat stress +7077,two dead in vic road crash +7078,interview darren lehmann +7079,sixers too strong for strikers +7080,crackdown at act jail uncovers banned items +7081,poppy pcab review +7082,baby dies in hospital 12 days after boxing day crash +7083,skis nor speed a factor in schumacher accident +7084,maintaining a relationship +7085,england has one hand on ashes after test win +7086,nrn bird flu all clear but hit to egg production +7087,nrn pineapple harvest +7088,indonesia myanmar plot +7089,launch of 1964 manilla flood book +7090,photographer topless lawsuit empire state building allen henson +7091,tourism group says no confusion in airport name +7092,residents urged to conserve water after treatment +7093,share market rebounds on back of positive us retail sales +7094,bike courier powers through heat without missing a delivery +7095,media call novak djokovic +7096,pine plantation blaze still burning +7097,young elephant celebrates 4th birthday at melbourne zoo +7098,lockyer valley housing market bouncing back after +7099,rural tasmania forestry pulp jobs +7100,fish and chip shop manager accused of plotting owners murder +7101,jordan replaces finn in england twenty20 squad +7102,power poles +7103,amnesty in the offing for offshore tax dodgers +7104,media call kei nishikori +7105,new wharf for st helens +7106,asylum seekers treated for alleged burns inflicted +7107,australian open door left ajar for li na +7108,police plead for head on crash witnesses +7109,truss satisfied defence forces did not abuse +7110,alice the talking camel +7111,bikie myth +7112,manchester united reportedly bid for mata +7113,national rural news +7114,catholic order still hasnt dismissed convicted +7115,hear and say founder dimity dornan says its +7116,heat cow deaths +7117,magazine seeks to improve teen sex education +7118,professor bruce robinson reflects on father figures +7119,sara storer toast of golden guitars after six year hiatus +7120,folk singer pete seeger dies aged 94 +7121,gwydir leads pilot for national road network audit +7122,high court to consider wa senate election result +7123,ice inquiry hears need for focus on drug use +7124,minister intervenes after bendigo councillor was sacked from mi +7125,obama prepares for state of the union address with +7126,hughes replaces marsh in australian squad +7127,spc ardmona funding announcement +7128,visa case for cricketer fawad ahmed borderline +7129,era reports loss ranger uranium mine and clean up +7130,michael obrien backs don farrell to repalce him in +7131,png death sentence +7132,ian thorpe in rehab for depression +7133,philippines to hunt hardline rebels after capturing camps +7134,facebook resists calls to ban promotion of 'neknomination' +7135,jake schatz focused on gaining wallabies back row spot after mi +7136,nigerian police arrest online scammer linked to australian's +7137,baby rushed to hospital with serious head injury +7138,dr gershwin talks to abcs ryk goddard about the +7139,gittany a cold and calculating killer sentencing hearing +7140,forward selling lambs drought +7141,newcastle ripe for investment: property council +7142,icc board approves controversial reforms +7143,skinsuit to help hamelin's bid for sochi gold +7144,110 with barry nicholls episode 2 +7145,mp hugh delahunty quits +7146,tiwi plantation mou +7147,hope for park back burning to protect rock art +7148,nickel miner reveals improved outlook +7149,rural tas climate conference tony press +7150,russian favourite lipnitskaya untested against champion kim +7151,backlash over plan to use copper for nbn rollout in tasmania +7152,cherry virus confirmed +7153,fracking concerns build in the nt +7154,jade rabbit lunar rover dies on moon +7155,pm urged to expand on knowledge of staffers lobby links +7156,indonesia orders evacuation as mount kelud erupts +7157,landholders urged to vote +7158,new jundah publican +7159,tch devil breeding success +7160,interview ranko dspotovic +7161,alp pledges rail crossings revamp +7162,tasmanian liberal leader overheard telling a colleague the nbn +7163,kelly vea vea redhill fifo +7164,henry keogh murder appeal bid hears from expert medical witness +7165,joyce highlights rail freight infrastructure +7166,northern territory fracking inquiry oil gas +7167,adelaide buses back after four hour stop work +7168,minister defends pelago east shared equity scheme +7169,sorby hills mine goes ahead +7170,australians to wear blue for matthew robinson +7171,child sexual abuse royal commission +7172,no evidence that wind farms cause health problems nhmrc +7173,explicit arthouse film river of fundament defended by adelaide +7174,nenw ex principal charged with alleged indecent assault +7175,tait retires from rowing +7176,underemployed wait longer to get more work +7177,adelaide united beat wellington in a league +7178,teenager mcmahon for rebels debut +7179,several killed in crash between car and truck in eastern victor +7180,police called as party invite goes viral on social media +7181,mining services sector growth +7182,residents contact legal service over gas search +7183,socceroos to face south africa in sydney +7184,third test day two highlights +7185,doctors threaten to resign over contract dispute +7186,one dead in channybearup road crash +7187,500k to help transform victoria bridge +7188,deal struck in race club lease stoush +7189,fiji torture +7190,government convenes in nt to recognise native title +7191,greg inglis hat trick leads souths to season opening win +7192,manus staff issued guide on handling asylum seeker questions +7193,peter greste urges pm tony abbott to help him +7194,planned burns scheduled for outer eastern suburbs +7195,mac gen fined over ecology management plan +7196,newsweek magazine says it has found bitcoin creator +7197,pardew accepts misconduct charge over headbutt +7198,virgin plane investigated after two mid air incidents +7199,interview paul green +7200,beef and dairy drought +7201,bindaree dispute continues +7202,doctor say sense of grieving over contracts +7203,vcat overrules council decision to refuse housing +7204,very successful a fun fundraiser for farmers +7205,david morris from australian republic movement joins abc news +7206,search on for angler missing in murray river +7207,season preview carlton blues +7208,formula one 2014 season preview +7209,jackson; taylor named in opals world championship squad +7210,peacocks +7211,speech pathology +7212,appeal dismissed over chopper incident +7213,cbh group heartened +7214,epa bluescope +7215,hk tycoons sentenced over macau bribe charge +7216,caught on camera: hunter farmers step up the fight against wi +7217,hope for planned mining incentive scheme to create +7218,liverpool crush man united arsenal beat tottenham +7219,act properties in tax arrears publicly named and shamed +7220,australia takes charge of multinational search +7221,extended interview anwar ibrahim +7222,sydney doctor claims poo transplants curing diseases +7223,cq property values +7224,news exchange wednesday march 19th +7225,second boy charged in college drug overdose +7226,the australian dollar has jumped above 91 us cents +7227,ikea recalls baby bed canopies due to strangulation risk +7228,conservationists raise doubts over mine plan for endangered woo +7229,hunter expressway officially opened +7230,the abc tracks down the man charged with looting +7231,obama meets with facebook; google bosses over internet survei +7232,united lose robin van persie for up to six weeks +7233,midland murder father charged sons death +7234,nrl live streaming melbourne storm newcastle knights +7235,wafarmers calls for urgent administration of drought loans +7236,agricultural competitiveness taskforce meets in the top end +7237,the drum +7238,volunteers applauded for old busselton cemetery +7239,ellyse perry guides southern stars to win over south africa at +7240,grainger denied +7241,nullabor cadilac +7242,sa new agriculture minister leon bignell +7243,clp rebel mla group list of demands to adam giles +7244,polls officially declared; clearing the way for will hodgman +7245,kingaroy business chamber decries minimum wage +7246,malaysia airlines liable for compensation to +7247,renew adelaide new life into dormant buildings entrepreneurs +7248,law society slams east maitland court closure +7249,showdown shows crows lacking port power +7250,bob brown speaks to abc local radio +7251,derby man jailed for torching house +7252,local land services vets +7253,missing persons unit takes over justyna koziol case +7254,bill haas charley hoffman share lead in houston open +7255,gas reverend +7256,japan fta raw deal fears +7257,power company says it is too early to tell what caused a major +7258,tas country hour 4 april 2014 +7259,driver penalties cause controversy at winton +7260,epa takes action against orica +7261,john faulkner flags rule changes to curb labor corruption +7262,new found enthusiasm for china australia trade deal +7263,japan australia fta opens up japanese agriculture +7264,police seek information on gang rape in fairfield +7265,tom carroll signs on as shark shield ambassador +7266,jackie fairley speaks to the business +7267,nsw wine vintage +7268,rural qld elmes 1104 +7269,samoa soccer development +7270,vale sid faithfull +7271,russia says european gas contracts will be honoured; despite +7272,sols quake +7273,aru clearance of israel folau still to be decided +7274,nigeria islamists kill 68 in two village attacks; say witness +7275,asiapac land grab deaths +7276,national rural news +7277,nsw researchers begin trial to search for carps +7278,unique commonwealth games medals unveiled in glasgow +7279,cops to trial body cameras +7280,cripps mine tour +7281,greenberg announces clampdown on dangerous tackles +7282,hmas leeuwin abuse cases royal commission +7283,act expands police road safety operation +7284,rebels force fund raise for children good friday +7285,the arts quarter +7286,sun shines on national folk festival +7287,civilian divers take to the water in south korea +7288,gerry hazewinkel tractors +7289,three year old girl left in burning vehicle +7290,woman charged over allegedly assaulting two police officers +7291,durian causes hospital evacuation +7292,you beaut ute sydney royal easter show +7293,mp david gibson row queensland government knew about case +7294,myth simpson and his donkey +7295,worker electrocuted near mount gambier +7296,interview steve price +7297,st barbara mine staff barred from entering solomons +7298,search for mh370 moves to new phase says prime +7299,wa wetexmouth +7300,australian casino billionaire rebuffed in sri lanka +7301,cbh portland usa wheat trading +7302,nba bans la clippers owner donald sterling for life +7303,aigroup tough budget dampen economic activity manufacturing +7304,councils to quizz qld government ministers at +7305,mike gallacher resigns +7306,senior broken hill city council management position to be rolle +7307,tropical export exchange to promote cairns as northern gateway +7308,samoa books place in four nations +7309,interview josh reynolds +7310,agri frontier shipment ashley james +7311,ewe judging berridale +7312,monday markets with ken howard +7313,rural finance corporation to be sold to bendigo bank +7314,victoria breached un covenant in treatment of corinna horvath +7315,export milk +7316,increasing health insurance premiums for smokers and obese +7317,police pluck tourists from floodwaters in pilbara +7318,agricultural land mapping +7319,dragons hopeful of snaring benji marshall signature +7320,majura parkway project in strife +7321,natalie whiting +7322,petrol bombs thrown at yarraville home +7323,science appeals to fisheries for seagrass sustainbility +7324,chinas economy stabilising but questions remain +7325,council looks to sell fitzroy river flood levee +7326,reserve bank forsees short term gain +7327,world cup algeria team profile +7328,nadal sharapova into madrid semis serena withdraws +7329,seaweed used to reproduce bone and human tissue +7330,carlton dominate struggling saints in 32 point win +7331,solomons election registration +7332,man fined for taking 20cm blade hidden in shoe into airport +7333,premier warns of tough but necessary budget cuts +7334,south road twin upgrades by 2018 +7335,female chainsaw races +7336,south australian farmers on the budget +7337,weatherill federal budget cuts gst urgent talks +7338,young dsp +7339,hobart man jailed over viscious attack on taxi driver +7340,landholders grateful as metgasco drilling licence +7341,aboriginal station workers gather for cattle workshop +7342,heating wheat to test yields +7343,snowy three years +7344,strike zone may 16 +7345,university access challenges for rural students +7346,cooper injured as reds season continues to sink +7347,arsenal comes from behind to win fa cup +7348,socceroo rogic ignoring the hype +7349,cancer patients benefit from robotic surgeries +7350,harvey norman franchisees fined misleading customers warranty +7351,knights members club confident tinkler will hand over control +7352,peerless marquez makes it five from five motogps +7353,tennnat creek races trainer +7354,child critical after hit by car +7355,iran frees happy dancers on bail +7356,north tuppal woolshed +7357,joe moro says finding consensus on water pricing policy is hard +7358,melbourne geek bar targets female video gamers +7359,serious setback for proposed energy project at pentland +7360,knights need expert local management: maughan +7361,deep learning the new frontier giving computers +7362,drilling breakthrough to slash exploration costs +7363,lane cove gas main alight sydney firefighters longueville road +7364,sims accepts two game ban +7365,costa group mushroom levy +7366,crime rises by five percent according to latest victoria police +7367,gm court case debate +7368,hikers missing in snowy mountains found +7369,interview jarryd hayne +7370,'mad dog' matosevic claims first grand slam win +7371,doctor who ran into coles delivery driver guilty +7372,mp fears more delays to bunbury seawall fix +7373,arron cluse former hells angels jailed for bikie mark sandery h +7374,sydney man jailed for killing hiv positive man +7375,town of homestead supports community charity event in townsville +7376,interview daniel tupou +7377,vixens loss could prove costly +7378,gunnedah numbers +7379,hare expert warns of potential plagues +7380,malay by election win for barisan nasional +7381,young life skills program teaches wrong lesson +7382,cambodian growers northern territory +7383,national rural news +7384,scientists hope to create microchip organs for testing new drugs +7385,abc shanghai media group deal +7386,no crisis until vote in parliament antony green +7387,socceroos star striker tim cahill on world cup +7388,cycling grandad completes charity challenge +7389,general motors fires 15 executives over deadly ignition scandal +7390,vic country hour 6 june 2014 +7391,police rescue three men missing in tasmania +7392,tracy morgan critical after car crash +7393,dublin archbishop calls for inquiry into tuam babies +7394,nrn rural queens birthday honours +7395,tourism upgrades for historical hartley +7396,vision shows firefight in which vc recipient baird was killed +7397,brazilian police fire tear gas to disperse protesters supportin +7398,esperance urged to consider aquaculture +7399,inside zaatari one of worlds largest refugee camps +7400,new mangoes bob williams +7401,live victorian parliament decides geoff shaws future +7402,a win against the roosters not impossible: newton +7403,green abbott wrangles with his own climate paradox +7404,tasmanian forest industry group opposes commonwealth bid to del +7405,para triathlete bill chaffey aiming for gold +7406,interview christian salem +7407,nrl live streaming updates +7408,queensland government wild rivers declarations declared invalid +7409,tradespeople shortage slows coober pedy flood +7410,base jumpers take off from was bluff knoll +7411,benghazi attack captured suspect +7412,nsw crop update +7413,cahill confirms world cup career is over +7414,cme rejects early findings of fifo mental health +7415,open thread friday june 20 +7416,vineyards and orchards combine to give lon term work to refugee +7417,denilquin june store sheep sale +7418,llevy changes concern +7419,man fined for kicking dog +7420,mcdonnell what happens to the law when china cracks down +7421,tas country hour 23 june 2014 +7422,monet water lilies painting nympheas sells for 57 million +7423,mix of youth; experience lead wimbledon charge +7424,seafarers day +7425,uruguay eliminates italy world cup luis suarez biting +7426,azarenka suffers early elimination to jovanovski +7427,central highlands council flag less spending as +7428,police hunt hervey bay drive by shooter +7429,rinehart trust battle continues +7430,doctor charged with murder of husband in geraldton +7431,lanco coal export facility bunbury +7432,nt country hour 27 june 2014 +7433,oysters fat +7434,sudan releases christian but insists she stay in country +7435,injured keys pulls out of wimbledon +7436,injury ends redden's afl streak +7437,investigation finds bus fire caused by fractured oil supply line +7438,sectarian violence returns to myanmar +7439,the drum thursday july 3 +7440,wach wild dog action plan +7441,chemist hold up accused to front court +7442,qld poll warns of heavy losses for lnp newman +7443,indonesian presidential candidate prioritises meeting abbott +7444,kane douglas praises australian rugby union for tough stance on +7445,property spruikers on notice: states +7446,learner driver speeding; drink driving with four children in +7447,mid north coast fire authorities warn extreme care needed with +7448,mental health assessment for 3yo boy alleged killer +7449,two men charged with child pornography offences on coffs coast +7450,award wnning indian love story debuts in australia +7451,china bauxite shortfall prompts renewed interest in cape +7452,pakistani troops killed by afghan militants +7453,two bodies found in sydney home +7454,bee warning +7455,isis mill qsl decision +7456,sa country hour 14 july 2014 +7457,all systems go for new maroochydore cbd +7458,brother pays tribute to man who died in perth storm after power +7459,public hearing announced for t4 coal loader +7460,jury to decide bendigo mother whose child died in hot car +7461,norfolk island's government accused of 'cronyism' +7462,st clair high back to school after blaze +7463,essential energy proposes public lighting price hike across new +7464,norfolk island minister 'surprised' by bias claim +7465,australians second largest group of nationals killed in mh17 +7466,driver phones in panic seeking police help as shots fired in ey +7467,argyle to metz name change approved +7468,government considers declaring mh17 disaster a terrorist act +7469,marrying a farmer +7470,marrying a farmer advice +7471,scammers exploit mh17 victims +7472,arsonist sets alight townhouse complex for third time in a week +7473,indonesias president elect joko widodo calls for +7474,mp worried boot camp operator may be deterring +7475,tas treasurer wants local government to adopt wage freeze +7476,thai king endorses interim constitution +7477,seasonal outlook for tasmania +7478,sex related hiv infections on the rise in china +7479,sydney needs more inner city homes developer warns +7480,wolf blass calls for wine tax reform +7481,gold silver in pool for australian mckeon siblings +7482,greg combet speaks to the drum about that offer +7483,swapping pens for pins on credit card transactions +7484,acttab sold for 105 million +7485,alice council seeks feedback on park management +7486,locals voice concerns over planned freight hub +7487,man wanted over baseball bashing at liverpool +7488,rural qld rural reporter laughing their way to recovery +7489,abbott rules out expansion of income management measures +7490,central vic escapes worst of wild weather +7491,labor calls for fifo regulation +7492,conspiracies aliens ufo believers gather nexus conference +7493,beyond the commonwealth games +7494,news exchange monday august 4 +7495,pavlich in doubt for dockers but walters back training +7496,court jails ex hotel worker over 70k inside job +7497,eungella dairy turns to cheese to secure business +7498,gun operation +7499,interest rates set to stay on hold economists +7500,new chinese missile should prompt australia into +7501,queensland wild rivers legislation repealed +7502,community wears its woollen heritage with pride +7503,kyrgios no match for murray at toronto masters +7504,mass death of stingrays under investigation +7505,qld prison population falls reversing earlier trend +7506,brookfield on tier 3 rail +7507,cow corner august 8 +7508,policeman punched after trying to stop stolen car +7509,film and sound archive moves to preserve wwi collection +7510,interview james shepherd +7511,cow manure drinking water +7512,huntlee housing project applies for water licence +7513,neville wran daughter arrested over fatal redfern stabbing +7514,vic country hour 13 august 2014 +7515,macquarie group to compensate potentially thousands of customers +7516,mark minichiello leaves for hull +7517,uranium dust may contaminate crops hillside mine opponents s +7518,vic country hour 15 august 2014 +7519,almond blossom begins +7520,animal welfare group urges council to reject duck farm +7521,ballantyne to bolster dockers' line up +7522,labor senator chris ketter to appear at unions royal commission +7523,wellings scotland +7524,accused child sex attacker has mental illness court told +7525,killer jason graham bowen seeks day trips from detention +7526,medical research donations at risk due to future fund +7527,james foley journalist murdered captured before +7528,pakistani protesters reach parliament in islamabad +7529,king island shipping freight bass strait +7530,onion levy fight +7531,treasury results +7532,hitchbot reaches journey's end +7533,nrn emerald meatworks +7534,malcolm fraser calls abbotts team australia divisive +7535,media call steve noyce +7536,police plead for clues to help find missing +7537,apy lands people struggle to access their super +7538,boart longyear teeters on brink of collapse +7539,native veg +7540,man jailed for sadistic attacks on four year old boy +7541,mayor echoes doubts over roof for swim centre +7542,capital expenditure rises on service sector expansion +7543,interview james horwill +7544,vikings batter greater sydney rams in nrc +7545,brisbanes christie theatre organ keeps music alive +7546,vic country hour august 29 2014 +7547,second stage of tasmania irrigation rollout needs federal funds +7548,portraits of ben roberts smith unveiled at awm +7549,just who is behind the islamic state +7550,corruption hampering elimination of poverty +7551,how big is worlds biggest dinosaur dreadnoughtus schrani +7552,criminals to have more avenues to appeal convictions +7553,greenhouse gas levels in atmosphere hit high in 2013 +7554,livingstone shire considers vote to see which +7555,sailor to be extradited to nt over manslaughter charge +7556,treasure hunters blamed for damaging council water +7557,afp to withdraw from hobart aiport despite possible terror alert +7558,elderly woman hit by a bus at manuka +7559,extended interview with keith delacy +7560,navy divers give up on sea mine search in sa +7561,minister defends drug and alcohol treatment +7562,the other side of nt politics +7563,albury council says merger not in ratepayers best +7564,cane harvest herbert river +7565,iraq pm vows to protect civilians after us iraq air strikes +7566,meeka track peter +7567,trevor norton litter buster +7568,anti mubarak activist alaa abdel fattah released on bail by egy +7569,everton given go ahead for new stadium +7570,union royal commission oliver defends afl breakfast +7571,3yr plan looks to unify youth mental health +7572,goodbye sheep; hello horticulture +7573,rabies like bat lyssavirus resurfaces in the nt after 17 years +7574,tate says currumbin mosque plans wont hurt gold +7575,ricciardo f1 title hopes hinge on singapore +7576,canberra public servant took longer work breaks to get soy milk +7577,weekly wrap +7578,as the weather warms up lake macquarie beach patrols kick off +7579,hens fc september 21 +7580,don watson goes bush +7581,maria sharapova crashes out of wta wuhan open +7582,dhl parcelcopter project set for german trial +7583,landsdowne crescent junior landcare +7584,surveillance laws defeated south australia +7585,ennis fractures foot likely to miss nrl grand final +7586,greg bird to lead prime minister's xiii against papua new gui +7587,national police remembrance day +7588,grain farmers need more rain +7589,labor to begin talks with coalition over renewable energy target +7590,mental health support group fears funding cut to +7591,police acted in self defence in fatal shooting of man +7592,womans body found near bike in benalla +7593,driver; guard escape injury after fire on sydney passenger tr +7594,land tenure uncertainty delays decision on sekisui +7595,mine workers leave town +7596,banana industry ginger ban +7597,hong kong house colourful show of support for protest +7598,nrn 100 years of research +7599,bushfire fears over lack of power pole maintenance +7600,fijian rugby squad arrives in sydney for rugby sevens tournament +7601,homeless shelter shuts for summer call for permanent service +7602,ben affleck blasts so called racist comments about islam +7603,nt melon growers virus quarantine +7604,mango madness mental illness tropical wet season build up +7605,carbon farming xenophon +7606,good news for victorias manufacturing sector +7607,mps say lease plans to address asset sale worries +7608,surrogacy scandal clearly relates to the previous +7609,multi national company signs a three year deal in tasmania +7610,recreational aviation australia to spearhead probe +7611,ugl rejects allegations of secret payments +7612,stephen hawking 10 times art met science +7613,wall st plunges on more weak german data +7614,w league 2014 rd 4 highlights adelaide united v +7615,blue mountains residents recall devastation one year on +7616,big irrigation cotton company sells at bourke; and remains in +7617,experts probe naracoorte house blaze +7618,grandstand october 15 +7619,audit questions safety of tier three rail lines +7620,hong kong leader cy leung reopens offer of talks with students +7621,liberal vasse candidate may cross floor on fracking +7622,tinned tomatoes +7623,all blacks sink wallabies with victory after the siren +7624,new infrastructure money for nsw irrigators +7625,police told rosie batty they could not protect her luke inquest +7626,the role of social media during jokowis presidency +7627,woman rescued from chimney after online dating +7628,halep shocks wta finals by thrashing williams +7629,inquiry into fifo mental health +7630,the drum wednesday october 22 +7631,act students targeted for school based apprenticeships +7632,soldiers inquest no systemic failures despite 3 diggers dead +7633,history buffs protest sale of fort largs site in adelaide +7634,mum and dad investors line up for the float of the +7635,bats may be part of ebola solution says scientists +7636,biological cloud seeding +7637,clarence valley councillor killed with wife in pacific highway +7638,fourt to front court over horsham break ins +7639,genia keen for fresh start under cheika +7640,burkina protesters set fire to parliament +7641,champion bull rocksalt retires from rodeo circuit +7642,man arrested after ipswich siege +7643,newman high school remains closed after fire +7644,police; venues; welcome reduction in alcohol fuelled vio +7645,tasmania's anti protest laws pass upper house hurdle +7646,allowing csg wells was a mistake; qld farmer says +7647,prison officer let inmates use her phone for drug deals +7648,roman polanksi released after questioning in poland +7649,signoff wins the lexus for spot in melbourne cup +7650,wanderers say theyre ready for action in riyadh +7651,farmers environmentalists team up to fight feral cat threat +7652,illegal immigrant detained for assaulting women in his car +7653,2014 melbourne cup parade +7654,asylum seekers on manus island allegedly tortured and threatene +7655,hendra virus vaccine kris thompson +7656,hiv positive women forcibly sterilised in namibia court says +7657,police seize more than 100 cannabis plants in +7658,vic police appeal for help for missing cranbourne schoolgirl +7659,charles mihayo refuses to give motive for smothering daughters +7660,federal government announces 20 million deal for +7661,trevor adil says standover is short term pain of mackay deal +7662,wach new wabc chair +7663,man charged over varsity lakes death +7664,wa riders compete at the national rodeo finals +7665,jets hoping for first win of the season +7666,quade cooper misses spot on wallabies bench for rugby union tes +7667,marine change +7668,wayne goss dead at 63 +7669,cloncurry shire council updates planning scheme +7670,david kilcullen on islamic state +7671,interview alan border +7672,gippsland master builders takes zero tolerance to +7673,research looks for agrochemical contamination in honey +7674,fire warning +7675,australia wont fret over clarke injury +7676,eyes on russian president vladimir putin during g20 +7677,g20 us president barack obamas motorcade brisbane +7678,bob hawke photo album +7679,food futures political panel +7680,new mount gambier mayor andrew lee declares victory +7681,australian rice china free trade 1811 +7682,china president meets tassie devils during hobart visit +7683,train goof up +7684,world leading chef brings food philosophy melbourne +7685,israel destroys home of palestinian who killed two at tram stop +7686,abc to look at support services for budget savings +7687,tas government rejects call to decriminalise medicinal cannabis +7688,the threat of tech savvy terrorists +7689,snow storms the worst in memory for western new york residents +7690,state government defends planning changes +7691,agritas +7692,flower power albany +7693,the family face of drought in the north west of nsw +7694,multicultural awards muslim not tainted by is +7695,no fault insurance scheme being considered in wa +7696,alison anderson larisa lee plan to quite pup predictable giles +7697,phillip hughes remembered with local outpouring of respect +7698,police laywers question fairness of luke batty inquest timeline +7699,progress 'stalled' in efforts to combat lead exposure +7700,qantaslink to announce new sa routes soon +7701,wa mp dean nalder denies conflict of interest +7702,no sign of 52 missing from sunken south korean trawler +7703,caribbean box jellyfish found off the gold coast +7704,delta gets approval to pull down ageing munmorah power station +7705,chloe valentine inquest told students eyes better than none +7706,debate over controversial prostate cancer test put to rest +7707,eyelash extensions optometrists chemical burns infections +7708,irrigated crops in central australia neutral junction station +7709,nsw rehabilitation of mine land +7710,police quiz driver after car crashes into albany +7711,one plus one john olsen +7712,teachers take to darwin streets to protest global budgets +7713,thailands king plagued by poor health +7714,four victims stabbed on amtrak train in michigan +7715,fire causes 1 million damage in mt lawley clinic +7716,motorcyclist dies in west mackay crash driver +7717,nrn smallholder farmers and climate change +7718,the peloton december 8 +7719,british mp apologises for playing candy crush during debate +7720,broker accused of fraud to fight charges +7721,coast cinema expansion plans set to be knocked back +7722,federal government reveals mobile phone blackspot +7723,korean air executive delays plane over a bag of nuts +7724,courageous clarke defies pain to score a ton for australia +7725,interview steve smith +7726,aust research on how to grow new body organs +7727,champions wanderers draw rivals evergrande in champions league +7728,no word on australias declaration plans for day three +7729,deadline looms for say on proposed alice cbd +7730,gold coast titans strip greg bird of captaincy +7731,man charged over cannabis seized from house +7732,russian rouble hits new low against dollar +7733,western qld residents warned of opportunistic +7734,man jailed for killing his pregnant sister in car crash +7735,exercising in extreme heat +7736,kimberley crash report +7737,qch agricultural energy council +7738,native australian mistletoe trees in decline in perth +7739,steve smith captaincy +7740,perth glory admits ffa investigation into salary cap breach +7741,sixers too strong for renegades in big bash +7742,fifa to publish a full report into corruption +7743,cairns woman charged with murder of eight children +7744,senate to vote on inquiry into unsuccessful world cup 2022 bid +7745,chinas anti corruption watchdog turns attention to former aide +7746,cummins set to return to australia reports +7747,ebola training rolled out for wa regional doctors +7748,australians expected to spend 2b at boxing day sales +7749,civilians killed by barrel bombs in syria's north east +7750,interview ravichandran ashwin +7751,police officer in hospital after house fire in sydneys west +7752,the family who missed flight qz8501 +7753,the year that was for queenslands cotton industry +7754,canberra year in review 2014 +7755,ian groves on early mango harvest +7756,one tree hill family loses home +7757,poland defeats great britain to close in on hopman cup final +7758,starving dogs left at rental home +7759,australian sharemarket falls telstra price jumps +7760,children teargassed in kenya playground protests +7761,tas country hour tuesday 20 january 2014 +7762,cfa warns of fire threat despite cooler conditions +7763,late start to rambutan season northern territory +7764,aussie icon urges consumers to share lamb this australia day +7765,neil andrew mdba chair +7766,queensland election rally against lnp held in brisbane +7767,australian ballerina lucinda dunn returns to her roots +7768,queensland election 2015 newman seeks to control agenda +7769,campbell newman exaggerating crime statistics +7770,contestants prepare for miss gay 2015 +7771,natural wine biodynamic +7772,hopes fade of finding more airasia crash victims +7773,hot chip vending machines bendotti +7774,perth man guilty of murdering taxi driver with terror +7775,tasmanian education minister moves to have the final say on sch +7776,eu considers capital markets curbs among new russia sanctions +7777,act government launches light hearted bike safety campaign +7778,amazing radiology images how sharing them is changing medicine +7779,grandstand reflections kel nagle +7780,three chad soldiers 123 boko haram militants killed in cameroon +7781,peter greste released from egyptian prison +7782,joe hockey welcomes reserve bank decision to cut interest rates +7783,pattinson siddle back in action for victoria in shield +7784,icac to investigate university it manager +7785,accc concerned grain port competition +7786,northcliffe farms assess bushfire damage +7787,phone scam +7788,hay wanted for farmers in southern wa fire zone +7789,lifelong fisherman tells of his respect for tasmanian seas +7790,man jailed for rape after tricking sex worker +7791,high fire danger sparks warnings in tasmania +7792,planning minister defends govt decision on newcastle rail corri +7793,marseille neighbourhood sealed off after shots fired at police +7794,michael foley handed contract extension at western force +7795,bradken shares crash as mining engineering company sinks to 24 +7796,desert springs ali curung +7797,knight from chet to collette aussie picks for eurovision +7798,woolgoolga sikh community thanked for its help with sexual assa +7799,foreign exchange traders fight to save millions +7800,roads funding +7801,seafish tasmania given approval to fish quota with smaller ship +7802,wall st rises on ukraine ceasefire +7803,gina rinehart house of hancock tv series confidential agreement +7804,sexton kicks irish to victory over france on return +7805,victoria restricts nsw to 206 +7806,nsw dairy awards +7807,socceroos to play in perth for first time in 10 years +7808,david gray +7809,inquiry calls for triabunna wharf to stay in public hands +7810,little stands to win big from japan post toll takeover +7811,melbournes famous keith haring mural defaced by graffiti +7812,winemakers focus on marketing +7813,virgin narrows half year loss to 53 million +7814,burnies buddhist hospital chaplain committed to fire fighting +7815,east coast irrigation spring vale viticulture +7816,mooball residents prepare for floods +7817,nsw wool industry review +7818,jets coach wants more from his midfielders +7819,artist david armitage reminisces tasmania ahead uk exhibition +7820,england claims first win india thrashes proteas +7821,jason strong aaco opening livingstone beef +7822,north korea bans foreigners from marathon over ebola fears +7823,solar track becoming cheapest energy source agora energiewende +7824,commercial fisher locked out of great barrier reef marine park +7825,gympie council still assessing flood damage +7826,milingimbi closer together after cyclone lam +7827,frozen berries hepatitis a case confirmed in canberra +7828,veteran social worker slams families sa for handling of chloe v +7829,cricket memorabilia on display at tmag +7830,hong kong woman jailed for six years for maid abuse +7831,improving farm safety +7832,rise in complaints over dangerous laydown style skateboarding i +7833,four dead in horror day on queenslands roads +7834,pegida demonstration outnumbered +7835,economists predict rba will cut cash rate to 2pc +7836,indofest postpones events insensitivities bali nine executions +7837,motorcyclist lands on feet after being hit by car in canberra +7838,real food markets +7839,queensland government still counting cost of +7840,groom of child bride jailed +7841,queensland turtle care volunteers +7842,wollongong stabbing +7843,angry badger shuts down luxury stockholm hotel +7844,bali nine lawyers welcome indonesia's executions delay +7845,clear vision needed before se qld bid for 2028 olympics qtic say +7846,calls to fund primary school violence prevention program +7847,free diving industry rallies after mans death off moreton island +7848,prescription drug inquest starts in perth +7849,tasmanian governor targets domestic violence +7850,alfred hospital surgeon resigns over harrassment allegations +7851,cyclone lam cause of bhp manganese spill in nt +7852,disability advocate sue salthouse named canberra citizen of year +7853,chris rock speaks to one plus one +7854,interview corey anderson +7855,queensland bulls rip through south australia redbacks in sheffi +7856,indian bride ditches groom for failing simple maths equation +7857,christmas island farm could feed locals for half price inspire +7858,drought felt in town and out bush in state's north west +7859,palliative care in orange takes a back seat this state election +7860,avocado growers riding australias increased healthy appetite +7861,driver to front court over fatal sunshine coast +7862,joe hockey seeks substantial damages in fairfax defamation case +7863,wallabies outside centre tevita kuridrani re signs +7864,daredevils bring surfing to alice springs clay pan +7865,darwin's mangroves grapple with sea level rise +7866,tasmanian government rejects accusation it is overlooking local +7867,child sex tourism thriving in kenya's port city of mombasa +7868,experts predictions employment +7869,tide turns in favour of gold producers +7870,australia chases down pakistans 213 to move into semi finals +7871,the drum friday march 20 +7872,a league live streaming updates +7873,grandstand breakfast march 21 +7874,fed rate rise delay makes life hard for the rba +7875,key dates in the life of lee kwan yew +7876,lake macquarie motorists not wearing seatbelts +7877,three people injured in sydney home invasions +7878,who is white house hopeful ted cruz +7879,fact check did nsw labor fail to deliver a single +7880,drug ice fuelling violent crime funding gangs acc report +7881,fortescue metals defends andrew forrests comments +7882,germanwings airbus a320 crash familes mourn victims +7883,dramatic rescue after dolphins stuck in mandurah lake +7884,french alps crash who were the victims +7885,interview james graham +7886,mead show success honey +7887,man taken hospital after parachute failed to open barwon heads +7888,nrl live streaming updates +7889,clarke bows out of odi cricket with all guns blazing +7890,margaret alexander kew describes intervening in a +7891,sidney kidman exhibition cattle king +7892,teen flood victim receives posthumous bravery medal +7893,ruth wade retires +7894,adelaide hills smoke taint tom keelan +7895,harper review relaxing pharmacy rules benefit consumer group +7896,lewis woods tax reform a super idea +7897,man jailed for seven years after adelaide home invasion +7898,sa government urged to take 25m federal funding +7899,barnett labor will be wary of greens recent state strategy +7900,claims use of cage for boy with autism in act not isolated +7901,matthew gardiner returns from fighting islamic state +7902,tasmanias most vulnerable to miss out in parenting programs +7903,treated sewage product biosolids give darling downs crops boost +7904,19m pilbara port dredging study underway +7905,aluminium smartphone battery charged in one minute scientists +7906,geraldton resident threatens legal action over foul odours +7907,luke foley re endorsed as labor leader at first caucus meeting +7908,renovators warned about incidental asbestos exposure +7909,ice taskforce to prioritise rural areas +7910,cronulla sharks beat newcastle knights nrl +7911,indonesian reformasi explored in locally made film +7912,thomas fraser holmes wins 400m swimming championships +7913,perth glory ffa set for legal battle +7914,gulbis' feet turn to clay in monte carlo thrashing +7915,mental health services report recommends funds redirection +7916,whale shark washes up in ecuador +7917,wheat price double forecast us analyst +7918,glory accept ffa sanctions from salary cap breaches +7919,indonesian ranger arrested for trading tiger skins +7920,kangaroos lost in melbourne's inner suburbs a 'growing problem' +7921,cruden cops worrying knee injury as chiefs beat crusaders +7922,friday markets with michael mccarthy +7923,tch biochar business +7924,education experts seek school curriculum inquiry +7925,community group raising money for in home ice treatment program +7926,gurrumul musicians taxi racism in darwin +7927,julie bishop brokers intelligence sharing deal with iran +7928,vic country hour pod cast 20 4 15 +7929,egg lobby director admits to advocating cull hens +7930,meeting to address concerns over lyrup ferry +7931,pilots body found by police after plane crash near gympie +7932,tab sale unlikely to pass colin barnett concedes +7933,bowker australia treads a cautious path with iran +7934,food south australia summit future trends +7935,john tapp to retire from broadcasting +7936,adelaide teenager and grandmother gallipoli trip +7937,labor treasury spokesman chris bowen looks at negative gearing +7938,lucas project aims to connect grieving couples pregnancy loss +7939,michael brown's family to sue ferguson over teen's death +7940,qld premier western qld wild dogs +7941,anzac troop train arrives in brisbane +7942,grandstand breakfast april 24 +7943,microscopic anzac day tribute etched on to gold +7944,a league live streaming updates +7945,anzac day 2015 live blog +7946,man dies as house gutted by fire in warwick darling downs +7947,uss nuclear aircraft carrier carl vinson heads to perth +7948,nepalese students in tasmania without a temple for a vigil +7949,nsw country hour monday 27 april 2015 +7950,regional ses volunteers help with nsw storm clean +7951,bentley da +7952,craig lowndes says v8 supercars break too long +7953,super rugby live streaming updates +7954,bangladesh hold pakistan to draw after tamim double ton +7955,qld government rejects bid for great keppel island +7956,school wrote off wine purchases as professional development ibac +7957,the drum wednesday may 6 +7958,thoroughbred racing trainer charged for dumping dead horses +7959,41yo man fighting for life after being hit by car +7960,almost 100 at forum in burnie on state health system shakeup +7961,greg hunt orders environmental assessment of port melville +7962,rally crash children believed standing in approved area police +7963,forestry tasmania to lose half its workforce after redundancies +7964,at least five dead after storms rip through southern us +7965,mackay doctor launches appeal against sacking +7966,teacher charged with possession child exploitation material +7967,backpacker tax grab hurts rural towns and farmers +7968,former nauru president slams new free speech laws +7969,state budget measures in southern wa focus on +7970,woman stole decorations to give sister first christmas +7971,wayne bennett rejects michael morgan maroons state of origin +7972,pope francis canonises two palestinian nuns +7973,frank brennan renews calls indigenous constituional reocognition +7974,high blood lead levels confirmed in half of broken hill children +7975,lion speciality cheese burnie +7976,tax office issues gst warning for uber and airbnb +7977,gungahlin's first public service office block opens +7978,authorities urge amateur prospector to take beacons +7979,liverpool cancel raheem sterling showdown talks +7980,interview gary ablett +7981,samantha stosur into strasbourg wta final +7982,former clp politician peter maley overcharges government +7983,reg weine spc new leader determined to deliver profit +7984,west wimmera shire accepts expression of interest +7985,3d printing fact file +7986,sbs should not have advertising revenue raised: husic +7987,adrian bayleys victims continue to suffer court told +7988,cheap cladding turns apartments into time bombs +7989,women lured to uk for sham marriages +7990,timeline south east asia migrant crisis +7991,chemical tce detected around beverley +7992,five wa police officers stood aside over bungled death probe +7993,france seeks to authenticate yemen hostage video +7994,matt hall leading championship +7995,wool price rises +7996,grandstand tuesday june 2 +7997,liberal mp sarah henderson backs marriage equality +7998,ancient pearl thousands years old in kimberley +7999,four dead in helicopter crask in quake hit nepal +8000,grgic us pendulum swings towards civil liberties +8001,monis borrowed money from flatmate +8002,ubs predicts iron prices to fall but chinese more optimistic +8003,arnhem afl footy player debuts first art exhibition +8004,lismore plateau +8005,no ice concert at forth +8006,poroshenko warns of colossal threat amid new ukraine fighting +8007,matildas world cup campaign not just making up +8008,new drug may protect against heart disease stroke +8009,get a good job hockey tells first home buyers +8010,glenorchy mayor critical of councils gag attempt +8011,mark bosnich sentenced for hitting cyclist with car sydney cbd +8012,researchers unveil artificial leg capable of feeling pain +8013,matildas upbeat despite opening loss to usa; says gorry +8014,michael obrien drought money +8015,cctv footage shows explosion at ravenshoe cafe +8016,christian couple vow to get divorced in face of gay marriage +8017,ladies stand june 11 +8018,blues wont bring back the biff in origin ii; says gallen +8019,egypt jails policeman 15 years over death woman protester +8020,passenger plane makes forced landing at melbourne airport +8021,nrl live streaming updates +8022,shortage of act soccer playing fields junior player numbers soar +8023,sharks bismarck du plessis cries after winning farewell +8024,plasterboard manufacturing plant at bundaberg +8025,women locked in perth zoo after closing +8026,23 killed in chad suicide bombings blamed on boko haram +8027,denmark business group airs shire relationship +8028,nauru opposition mp arrested amid protests +8029,tens of thousands of litres of diesel stolen from property sout +8030,australia and china set to sign free trade deal +8031,electric shark guard proved successful say researchers +8032,gst should be increased to 15pc senator says +8033,mark butler named new national president of labor party +8034,walgett school +8035,women choosing homebirths selfish peak medical groups says +8036,christensen rejects code criticism audio +8037,gallen confident of playing origin iii despite rib injury +8038,west coast eagles beat richmond tigers by 20 points to keep pre +8039,world largest book atlas display state library nsw +8040,rosie batty launches never alone campaign on lukes birthday +8041,carlton bryce gibbs offered two match afl suspension +8042,labor secretary resigns fresh voice needed +8043,police officers dragged into financial scandal at apy lands +8044,sa council votes to keep gay pride flag hoisted +8045,the drum wednesday june 24 +8046,uss george washington leaves brisbane following five day stay +8047,hail storm west of bundaberg stuns locals +8048,industry takes over dairy r and d +8049,second new york prison worker arrested over breakout +8050,best wa prescribed burning result in five years department +8051,tas government defends food standards that closed organic dairy +8052,water restrictions downgraded in tamworth +8053,bunbury big surf tourism boost +8054,alcohol prices to rise on defence force bases kevin andrews +8055,eastern fleurieu school students planting trees +8056,transparent worm reproduces by injecting sperm into its own head +8057,sydney motorists warned to brace for 15 cent petrol price surge +8058,ag white paper preview +8059,fungal coding quarry to help crop scientists +8060,no evidence of greyhound mistreatment at cessnock trial track +8061,team sports to take centre stage as pacific games +8062,body of missing canberra man daemon wolfe found +8063,wimbledon: nick kyrgios backing his chances of winning title +8064,martine delaney wants to be australias first transgender mp +8065,popes climate message spurs new pacific campaign +8066,study finds link between moderate drinking and +8067,years of work come to fruition as pacific games +8068,dimitrov parts with coach rasheed +8069,body found at scene of house fire in south hobart +8070,climate change impact on pacific coastal +8071,inquiry hears williamtown raaf base upgrade needed +8072,hamas markets itself as moderate alternative to islamic state +8073,abjorensen are we facing a snap election +8074,advocates see new opportunity for urannah dam +8075,kyrgios fires back at rafter in defence of tomic +8076,ex bega cheese ceo pleads guilty to five more child sex charges +8077,fiji off to rio after defeating vanuatu at the +8078,professor david jordan says sorghum breeding is exciting +8079,solomons landowners unaware of toxic threat from +8080,tasmanian island passed in at auction +8081,door shuts on affordable housing plans for empire hotel site +8082,industry surprised by indonesias sharp cut to beef +8083,more detox +8084,no impacts of shenhua coal mine on water nsw premier says +8085,is leasing land an option to get into aussie agriculture +8086,james hird determined to coach essendon against north melbourne +8087,oysters grown on land could save industry +8088,uk cider experience 1507 +8089,grant windfall for recovering outback council; but funding gr +8090,nurturing the best in baby spinach +8091,port hedland port upgrade +8092,rural sa rural reporter pocket rocket foxy is working dog +8093,tasmanian sprinter fails to make final +8094,us says computer hacking forum darkode dismantled 12 charged +8095,box of neutrals july 17 +8096,pobjie finally; tomic is getting a hang of this 'fame' thing +8097,f1 driver jules bianchi dies +8098,work continues to rebuild great keppel island central qld +8099,brisbane broncos thrash wests tigers 42 16 to stay on top of nr +8100,awi defends claims woolmark brand is losing value +8101,calls for happy hours to be restricted in tasmania +8102,former geelong grammar teacher admits to sexual abuse +8103,pilbara woman wins richest regional art prize for +8104,share market closes higher dollar hits new six year low +8105,student vets hit the road to help problem dogs in outback +8106,muslim community leader backs government education campaign +8107,act records standard of living drop in report +8108,microsoft fights against revenge porn +8109,perth police chase man armed with sword arrested +8110,steve mcarthur of melbourne market authority on move +8111,intruder tying up nt woman flees after 4yo boy cries +8112,nick mckim soon to learn if he will replace milne in senate +8113,tour de france: chris froome has lead cut; as vincenzo niba +8114,gas pipeline release angers farmers but ok according to qld govt +8115,landcorp gets all clear over broome bilby protection +8116,wickham transport interchange +8117,one dead as 1500 migrants try to storm eurotunnel terminal +8118,wingfield operators taken to court alleged negligence over fire +8119,wide bay talks to focus on family violence funding +8120,interview steven finn +8121,scott mclaughlin fastest in ipswich v8 supercars +8122,crew rescued from boat in distress off carnarvon coast +8123,grandstand breakfast august 3 +8124,hendra minor use permit approaches expire date +8125,manuka honey 6 million capilano purchase +8126,apvma aprroves hendra vaccine +8127,cutting through the noise of online news +8128,family violence royal commission told justice resources lacking +8129,man fronts court accused of assaulting baby +8130,ballarat councillors reappoint ceo anthony schink +8131,documenting the plight of domestic workers around +8132,funding needed to enable expansion of local court drug rehabili +8133,sydney swans to be boosted by the return of excited adam goodes +8134,voices of the valley gets hazelwood mine fire inquiry help +8135,report predicts csg mining could impact gippsland water levels +8136,chelsea held by swansea amid high drama united win +8137,drunk man allegedly kicks his way into wrong darwin unit +8138,lapierre named in australian athletics team for world champions +8139,the icc is not for players says lalit modi +8140,clay how does australias emissions target stack up +8141,liberal mp andrew laming calls for end to pathetic +8142,pacific highway noise sparks coffs harbour protest +8143,scallop meat survey +8144,donald trump claims to be leading everywhere +8145,it has its own blood supply stelarc +8146,nsw government to again change 10 50 land clearing laws +8147,restored brett whiteleys american dream goes on display +8148,cabinet reshuffle indonesia analysis +8149,al gore 2016 tilt +8150,balga reassessed as inner suburb with perth sprawl increasing +8151,country breakfast drought tour qld +8152,millions and millions of little plastic balls could be the answ +8153,number of wa crocs being killed; captured doubles in a year +8154,us returns long lost picasso painting the hairdresser to france +8155,aboriginal healing ceremony for orphan school turned arts hub +8156,footballer to become indigenous suicide prevention ambassador +8157,manchester united beat aston villa 1 0 to stay undefeated in en +8158,port storms home for 21 point win over giants +8159,ponting tells clarke critics to back off +8160,dennis mckenna cases to be considered in new trial +8161,gail mabo +8162,police target online drug sales advertising and darknet +8163,allan connor appears in court over triple murder +8164,barangaroo point reserve sydneys newest harbourside park ready +8165,call for pacific countries to collaborate on deep +8166,noel pearson questions glencore mine deal in aurukun +8167,prawn trawler skipper bill henebery discusses his job +8168,more signs government will send war planes to syria +8169,climate council report +8170,indian pm modi ushers in new era of relations with +8171,federal government faces new legal challenge to offshore process +8172,international researchers collaborate on global bee study +8173,iranian asylum seeker hamid khazaei pre inquest conference +8174,man accidentally shot in the chest in sa south east +8175,tasmanian workers to bend federal pms ears on chinese free trade +8176,woorabinda stakeholders agree +8177,safe havens in dangerous times +8178,australian man renas lelikan trapped in iraq refused passport +8179,united again foiled 2 1 by impressive swansea +8180,act rebates increased to remove wood fuelled heaters +8181,paedophile ring mark liggins accused bail renewed +8182,victory halt rockdale city suns ffa cup charge +8183,justice reinvest +8184,kokkinakis succumbs to cramp; hewitt progresses at us open +8185,share market turns around early losses on weak gdp figures +8186,dead letters +8187,crime stats +8188,22yo man escapes fiery ute crash near charters towers +8189,community football league amends player payments +8190,nt country hour 070915 +8191,new brisbane sign five letters closer to returning to south bank +8192,byron beach rock wall +8193,lindsay bourke is a finalist in the biosecurity farmer of the y +8194,parkes elects first ever female executive +8195,newcastle uni urged to rethink five year contract with transfie +8196,pirsa dave lewis grain forecast +8197,political ploy behind woodsides woeful opening bid +8198,victorian coroner clears bendigo council death four year old +8199,nrl live streaming updates +8200,parachute federation rules on geraldton skydive crash +8201,public meeting over williamtown contamination incident +8202,insurance broker timothy charles pratten found guilty of fraud +8203,carbon neutral project earns certification +8204,child abuse victim given suspended sentence +8205,colin barnett says disloyalty instability must end canberra +8206,man dies after workplace accident in welshpool +8207,suspect in fatal shooting of mississippi college professor dead +8208,mackay hopes new pm turnbull lifts business confidence +8209,malcolm turnbull still wants to take public transport +8210,australian dies in bali +8211,nationals mp cites benefits in new coalition deal +8212,quick fix canberra +8213,south burnett council seeks feedback on syrian refugees intake +8214,crows fans leave adelaide for afl final in melbourne +8215,federal public service getting smaller growing older +8216,namibia rugby world cup profile +8217,samoan meat inspectors david frost faasoa seuseu +8218,jarryd hayne quiet pittsburgh steelers beat san francisco 49ers +8219,man charged over death of baby in wa +8220,canegrowers to examine details of great barrier reef report card +8221,firearms amnesty south australia december to june +8222,new cherry growers australia president +8223,road rage attacker avoids jail +8224,expanded anti terrorism powers mooted for wa police +8225,trade union royal commission former cfmeu president dave hanna +8226,woman fighting for life after hit run involving motorcyclists +8227,afl live streaming updates +8228,jason day losing grip on world number one ranking +8229,afl eagles will not be intimidated by hawthorn josh kennedy says +8230,capital hill monday 28 september 2015 +8231,frank teodo lucy karger says war on yellow crazy ants can be won +8232,main roads criticised over freight link pr costs +8233,qld voters may reconsider privatisation lnps lawrence springborg +8234,study links passive smoking to behavioural problems in children +8235,bradley blaming welfare for domestic violence doesnt help +8236,compulsory voting mooted for wa council elections +8237,disability carers discuss strike action over govt's privatisa +8238,search for prison and court escapees continues in nsw +8239,call for immediate action to prevent shark attacks of nsw coast +8240,chris brown thanks strong new zealand women for support +8241,csu cautiously optimistic as tunbull government shelves univers +8242,marketing boost for riverland food and wine +8243,snake lunges at prospectors +8244,tasmania intergrity commission boss packs bags for canberra +8245,tpp talks drag on in atlanta +8246,us lawsuit may impact australian communities with contamination +8247,offsiders full program +8248,calls for government to dump capital gains tax for start ups +8249,nobel prize in science how to not win +8250,number of stolen wa government laptops and mobiles increases +8251,thompson business ethics isn't a contradiction in terms +8252,aboriginal community worried about services alinta closure +8253,alinta leigh creek coal mine to close next month +8254,man avoids jail after crashing his car through wollongong +8255,shark attack reported at pyramids beach near mandurah +8256,tasmanian farmers desperate for rainfall +8257,my syria amina srio +8258,illegal fishing nets found in glenbawn dam +8259,people warned to watch out for tax return scam +8260,epa report identifies number of strategies to reduce pollution +8261,explosion strikes kabul as afghan taliban target nato convoy +8262,woman arrested over stabbing death of mother +8263,tensions rise at martindale hall meeting +8264,broken hill solar farm ready to go online +8265,cole please premier; dont cut foreign language targets +8266,invoices hid payment to union organiser royal commission +8267,nt country hour 131015 +8268,scotland looking for bite against wallabies rugby world cup +8269,union criticises plan to tighten public sector payouts +8270,brothers 4 life gang associate posts on instagram parklea raided +8271,queensland cane farmers group walks away from mediation +8272,stuck in an exercise rut you can sort that in just six minutes +8273,t4 opponents celebrate community strength despite losing five y +8274,terrorism threat getting worse afp chief andrew colvin says +8275,financial stocks boost wall street +8276,mp to meet health minister over ballarat hospital bullying claim +8277,wests tigers undergo coaching makeover following disappointing +8278,rory mcilroy six back at napa; brendan steele leads pga tour +8279,rugby world cup: michael cheika showing trust in wallabies de +8280,trevgove blitzes melbourne marathon to set up +8281,chemical experts to front fiskville inquiry +8282,michael lawler kathy jackson break their silence +8283,plans for raymond terrace men's shed to be reassessed; as w +8284,weather bureau warns el nino likely to reach record levels +8285,vanuatu anti corruption march postponed +8286,acton tunnel crash hits social media +8287,islamic college of south australia appoints acting principal +8288,south african police hurl teargas at student protesters +8289,batchelor butterfly farm upgrade northern territory +8290,psychology of too much choice +8291,rural sa seed destructor 2310 +8292,man remanded in custody over murder of brisbane socialite +8293,anne frank holocaust diary exhibition highlights lessons today +8294,ben tapp and peter much discuss the 2015 warwick gold cup +8295,fund launched to cover fun for wa foster kids +8296,court ruling revoking bail man with mental disability overturned +8297,two teens charged over alleged stolen car joy ride +8298,adelaide food trucks restricted to only 10 during day +8299,two killed another in hospital after car crash at ipswich +8300,austinmer fatal crash +8301,baby bjay inquest mother saw father violently assault baby +8302,bridled nailtail wallabies struggling in queensland drought +8303,china to start work on underground super collider by 2020 +8304,daniel kimberley monsoon aquatics latest catch +8305,man accused of murdering karlie pearce stevenson faces court +8306,man to front court accused stabbing woman in townsville +8307,news exchange thursday october 29 +8308,bke airport +8309,south west mp makes fresh call for public housing policy review +8310,strapper with down syndrome prepares for melbourne cup +8311,interest rate on hold at 2 percent +8312,mjd foundation wins landmark case 10 grant case nigel scullion +8313,barnaby joyce visits renmark talks irrigation +8314,melbourne aged care resident avoids jail over death +8315,rba governor glenn stevens expects rates to remain on hold +8316,transport for newcastle: private operator to integrate city +8317,uk says russian plane possibly brought down by explosive device +8318,mixed response over newcastle integrated transport plan +8319,coffs harbour's deep sea fishing club takes first steps towar +8320,the mix +8321,australia clinches first test with 208 run win +8322,teens charged over spike in mornington island car thefts +8323,surprising start to mallee grain harvest +8324,platts launch new wheat price index +8325,mitchell starc fastest ball australia new zealand cricket +8326,offsiders full episode +8327,wrong data tapped into ipad causes qantas jets tail to strike +8328,live export class action ready to launch lawyers say +8329,venomous viper discovered by shocked factory workers in dandeno +8330,victorias baseline sentencing law defective court of appeal +8331,concern in the french pacific territories for +8332,tasmanian parliament gives in principle support to gay marriage +8333,bureau predicts drier than average wet season but more rain in +8334,man stabbed to death in charters towers +8335,richie mccaws magnificent career comes to an end +8336,total fire ban in nsw riverina region heatwave conditions +8337,eddie jones to win england coaching job white rules himself out +8338,man sets fire to his brisbane home after threats +8339,aussies go down to ireland in international rules test +8340,hillsong leader ignored conflict interest commission finds +8341,turning houses into homes for families escaping violence +8342,unloading the c 17 globemaster at wilkins aerodrome +8343,wilmar paul giordani discusses breakdown at plane creek mill +8344,baby photo posted online warning against drink driving +8345,top tips on avoiding mosquito bites this summer +8346,sallys flat nuclear waste site proposal meeting +8347,chris cairns found not guilty perjury +8348,clean energy and the global fight against climate change +8349,australian biofuels sector projected to double +8350,meeting to discuss future of tafe at bourke +8351,mackay showgrounds brand auction +8352,super hornets flyover south east queensland +8353,brazil speaker launches impeachment procedure against president +8354,first responders ptsd wa firefighters +8355,gascoyne rangelands app explained +8356,melbourne cup winning jockey michelle payne content not to ride +8357,macfarlane planned move nationals week after frontbench dumping +8358,krishna and bonevacia star as phoenix shock victory +8359,penguin in cockburn sound thought to have died of natural causes +8360,woman treated for injuries after thief rips rings off fingers +8361,dingle the reality of sperm donors is hitting home +8362,chris oldfield on water schemes +8363,how will the united states respond to donald +8364,remote western towns to upgrade airports +8365,s kidman cattle record roma price +8366,christmas in hobart was spectacle that brought cbd to standstill +8367,fiji medical study could hold key to eradicating +8368,vic country hour 10 dec 2015 +8369,net free fishing zones aim to boost tourism +8370,squadron to resume jets support after reaching agreement with f +8371,wa water rat the rakali under threat +8372,highlights from historic climate deal +8373,environment ngo praises png govt's bid to stop +8374,john foss from the chia co explains three year deal with coles +8375,storybook farm queensland haven for disabled animals +8376,surfers in mexico; us pay tribute to missing australians +8377,heywire chronic disease womens health +8378,pauline buckby remembers the pubs of tasmanias past +8379,pros and cons of facebook +8380,steve austin says mowanjum attracting international interest +8381,toddler in hospital after near drowning +8382,credit ratings caution australia on financial vulnerabilities +8383,jack burton prepares to open kimberley abattoir +8384,metgasco not confident to invest in nsw +8385,australian asian shares rally on us rate rise +8386,gippsland 80th part two +8387,darwin harbouring banana plants freckle disease kevin cooper +8388,diplomatic slaves +8389,mackay artist aspergers wins award +8390,newcastle jets adelaide united a league +8391,back to drawing board to find alternative wheatbelt tip site +8392,judy leadoux turkey farmer at bairnsdale +8393,us marine turned outback australian paramedic +8394,regional hospital opening +8395,teenager dragged from car in lathlain +8396,darwin gets a bucketing as monsoon spins across nt +8397,greens senator says minister must overturn visa +8398,shipwreck relics go on display at tweed regional museum +8399,sunshine coast tour operators expect bumper holiday season +8400,tasmanian devil cartoon character popularity helps raise funds +8401,audio template kallee buchanan +8402,love stories from remote and regional corners touch hearts +8403,motorcycle rope attack boy remanded in custody +8404,risk of comet hitting earth higher than previously thought +8405,vulnerable bum breathing fitzroy river turtles protected +8406,driver found three times over alcohol limit at alberton +8407,finding divya search for one girl under a bridge in india +8408,sydney to hobart boats told to find early lead +8409,victoria highway closed flood waters +8410,donald trump bill clintons terrible record with women +8411,learns the tricks of an award winning foley artist +8412,driver blows nearly five times the legal blood alcohol +8413,federal mp confident of more school funding beyond 2018 +8414,former abc managing director brian johns dies aged 79 +8415,brisbane wesley hospital patient positive legionella infection +8416,tourists die swimming in thailand +8417,the press room: january 5 +8418,amputee bethany hamilton surfs massive waves in hawaii +8419,adelaide illustrative photographer gee greenslade commended +8420,now showing: dicaprio fights for survival while +8421,sailors take over lake burley griffin for flying fifteen +8422,besart berisha helps melbourne victory draw 3 3 with central co +8423,former head of solomon islands peace taskforce +8424,blast near pakistan polio vaccination centre kills 15 +8425,epa review independence questioned roe 8 +8426,whale shark sightings off north queensland sharks gbrmpa +8427,adelaide truck driver in fatal freeway crash to face court +8428,kenyan athletes focus on rio de janeiro olympics ahead of wada +8429,new zealand boys perform haka at nsw cricket match +8430,lightning strikes spark fire and cause blackouts +8431,dampier drowned fishermen matthew pennington lawrence smith +8432,father pleads not guilty to assaulting baby son bjay +8433,backpacker decline prompts rethink on tax hike +8434,bunchy top bananas +8435,western australia: nurse anne carey +8436,kasey chambers joins greats in country music galaxy of stars +8437,greyhound live baiting scandal no deterrent for gen y gamblers +8438,newcastle filmmaker garrett eckersons journey from usa +8439,alinta energy workers given an extra six weeks before closure +8440,dr who showrunner steven moffat stepping down after 6 seasons +8441,crowdfunding campaign to pay for daniel ambrose funeral +8442,fifa confirms candidates for presidential election +8443,future fund shifts to cash as global investment risks rise +8444,man charged over spate of alleged assaults sydneys south west +8445,push for northern territory daniels law gathers pace +8446,$20m water security plan approved for townsville +8447,autistic students bullied survey +8448,forest transformation centre utas +8449,young knights squad auckland nines robbie rochow +8450,activist guilty of trespass after filming fracking gas leak +8451,hobart hospital 95yo woman left on waiting rooml floor apology +8452,vagina monologues jazmin theadora +8453,calls for morrison to stand down has divided +8454,body of missing elderly man found at myrtle bank +8455,rape mens group return of kings meetings daryush valizadeh +8456,hospital violence out of control tweed heads says union +8457,maasai warriors taking on swans in cricket at scg +8458,inquest into port dennison murder suicide day three +8459,australia day mural defaced +8460,drones could be used in remote outback searches for missing +8461,legality of church sanctuary +8462,tongan government confirms zika epidemic +8463,whitsunday council ends land contract for chinatown project +8464,bendixsen girls have always been game +8465,brisbane bandits bring baseball play offs to queensland +8466,mccoole cleared of child abuse allegations and promoted +8467,pony club camp at westbury show ground +8468,pressure builds for defence minister to respond to senate report +8469,vanuatu tourism group looks to sue air new zealand +8470,witness of mona vale crash says truck driver was accelerating +8471,shane watson joins ipls bangalore for 1.98 million +8472,labor offers fare free fridays brisbane city council elections +8473,mineral energy commodities volatility expected to continue +8474,messy church movement leads to membership boom for rockhampton +8475,off the line steve horvat talks round 18 of the a league +8476,baseballer todd van steensel back to home base +8477,property boom generates profit rise for building firms +8478,einsteins gravitational waves: what do they mean +8479,woman who pushed policeman at 2015 melbourne cup fined +8480,era avoids charges over radioactive slurry spill +8481,townsville nightclub owners reject proposed lockout laws +8482,victim welcomes decision wilson will face concealment charge +8483,labors anniversary queensland head fixed four year terms vote +8484,barnes lowering the voting age +8485,bitcoin ransom paid by hospital after hackers attack system +8486,graeme docking eyes world record wheelchair truck tow +8487,no alternative to western power sale wa premier says +8488,staff robbed at knifepoint coffs harbour fishing club +8489,frank dodd co author says us financial crisis unlikely +8490,major light rail construction work coincides with act election +8491,port of melbourne to go ahead despite standoff government says +8492,fringe festival not just for adelaide audiences +8493,photoelectric smoke alarms bedrooms all queensland homes plan +8494,global sugar price surges audio +8495,greg hunt told to produce briefing notes on tiwi port decision +8496,agent says demand for red centre cattle is strong +8497,union calls for newcastle west building site to be shut down +8498,reds knock off the roar in adelaide +8499,wa education minister says parents must do more to help kids +8500,luminaries gold coast heroes light up night sky +8501,mcgorry calls for more investment in nt youth mental health care +8502,fiji cupcakes +8503,vch broad on backpacker tax +8504,wa govt offers pastoralists new form of lease +8505,more public feedback sought on victorian council rate capping +8506,discovery coast group campaigns to ban plastic bags +8507,logan hostage drama baby freed unharmed sert enters house +8508,new office to boost investment in wa agricutlure +8509,republican rivals take aim at trump in bid to prevent disaster +8510,wa farmers hired lawyers for bushfire investigation +8511,wodonga man found not guilty over death of baby charlotte keen +8512,ben simmons named in extended boomers squad for rio olympics +8513,first cryonics lab in southern hemisphere proposed for nsw +8514,jon english career highlights penzance jesus christ superstar +8515,sarah monahan speaks about her new book allegedly +8516,thursday markets with evan lucas +8517,loggerhead turtles set to embark on 16 year journey +8518,the dog leg: march 14 +8519,cleland conservation park injured man +8520,csg laws spark protest in sydney +8521,horsham nutbush breaks world record +8522,mp demands education minister fix safe schools after review +8523,small businesses in rural vic get couselling with drought fund +8524,study helping make wave energy more viable +8525,argentinian sisters bring taste of their homeland to rockhampton +8526,cyclone warning issued gulf carpentaria queensland communities +8527,honest conversations about mental health can help tackle suicide +8528,nuffield scholar on msa grading +8529,rates aboriginal patients discharging themselves 10 times higher +8530,ntca ladies luncheon 2016 alice springs day +8531,police dig up back yard over missing nsw toddler +8532,semi radradra powers parramatta eels to nrl win over bulldogs +8533,the glover prize peoples choice award goes to nicholas blowers +8534,opal card short trip loophole closed by nsw +8535,analyst tom mcneill discusses another surge in sugar prices +8536,telstra customers experience network issues after last outage +8537,look back at the events of the brussels attacks +8538,whistlers mother james whistler national gallery victoria +8539,artisan italian gelato making in hobart +8540,national rural news +8541,paris agreement carbon farming food security +8542,statewide water inquiry launched by nsw opposition +8543,bosnian muslim in australia closure difficult radovan karadzic +8544,more womens voices needed on regional councils +8545,budget repair should be driven by tax hikes ceda +8546,pork belly labelling loophole +8547,underage drivers nabbed on wa road +8548,man missing in rough seas at port botany +8549,the private life of sarah blasko lateline interview +8550,victims family violence form no excuses choir +8551,donald trump nuclear fallout analysis +8552,how will negative gearing debate play out in tasmania +8553,rugby league coach uses experience prevent youth suicide players +8554,nsw mr fluffy demoition process frustrates residents +8555,goyder overseas markets +8556,nrl top 5 with andrew moore: round five +8557,israeli soldier fronts court on manslaughter charges +8558,lawyer paints hero justine margaret mcmurdo for archibald prize +8559,open drum open drum: you think housing affordabilitys a problem +8560,oyster response +8561,study hones in on most likely dingo origin and path to australia +8562,can cherries help alleviate obesity related inflammation +8563,new fifa boss gianni infantino implicated in panama papers +8564,jk rowling harry potter chair on display in new york +8565,sea lion pup marina found in restaurant returned to wild +8566,brisbanes popular boundary street markets motor room to close +8567,footage of dramatic rescue after man becomes stuck on cliff +8568,png pm launches fresh bid to stop anti corruption probe +8569,senator madigan says governments throw their hands +8570,venezuela public sector workers get fridays off during drought +8571,liberal party lashed by hobart lord mayor +8572,belgium charges two detains three over brussels paris attacks +8573,new caledonia urgently looking for nickel clients +8574,top of the league: april 14 +8575,doors not shut on townsville crocs return to nbl +8576,european volunteers join asylum seekers greek macedonian border +8577,longreach arts group secures funds for moveable mural +8578,reserve bank financial stability review +8579,everybody loves raymond doris roberts dies aged 90 +8580,thai politician watana muangsook asks for australian help +8581,victoria begins medicinal cannabis crop trial +8582,china warns women of foreign spies in dangerous love comic +8583,cosmic eye video by perth star researcher goes viral +8584,lone pine tree stolen from vandal proof guard at longford +8585,queen looking to hire social media guru in digital age +8586,united nations begins evacuating beiseged syrian towns +8587,health workers plan industrial action next week +8588,manus detainees say they will be allowed outstide during the day +8589,turkish border town kilis suffers more rockets from syrian is +8590,cbh survey results dr andy crane +8591,hillsborough disaster timeline of events +8592,high hopes for bendigo tech school to deliver long term benefits +8593,perth childrens hospital will open on time colin barnett says +8594,man shot dead outside sydney shopping centre +8595,retrenched baralaba coal mine workers face redundancy pay delay +8596,senate voting reforms unconstitutional court told bob day +8597,tasmanian government rejects call to limit access to shotgun +8598,budget super shake up trims tax breaks for the rich +8599,nerrigundah clarke gang shootout +8600,alastair mcewin announced as new disability commissioner +8601,one plus one: dick smith +8602,acdc bandmates; axl rose on johnsons risk of hearing loss +8603,inquest into fatal buangor quad bike crash finds brakes failed +8604,png students protest against interference in corruption cases +8605,30 million plan to tackle traffic snarls at swan street bridge +8606,logies waleed aly wins top prize noni hazlehurst hall of fame +8607,tasmanias hydro dam levels up to 16 per cent +8608,epa launches legal action over mine collapse +8609,the drum tuesday may 10 +8610,burst main on pirie street commuter chaos +8611,spacexs dragon cargo craft returns to earth +8612,commonwealth bank predicts rates fall +8613,extended interview with brett himbury +8614,senate voting reform challenge thrown out by high court +8615,nt government confident darwin festival to go ahead +8616,dragons josh dugan happy to see nrl diving gone +8617,goulburn murray water irrigation outlook +8618,recent report into camel industry reveals little +8619,harry potter author jk rowling defends trumps right to be bigot +8620,lost language of boandik indigenous people revived in possum fur +8621,newspaper death spiral gathers pace +8622,perth longest running music mag puts out final print edition +8623,woman charged over melbourne murder in 2005 +8624,country wide +8625,japanese app lets men check their sperm from home +8626,japan tsunami fukushima meltdown five years on +8627,drought policy buloke west wimmera yarriambiack funding victoria +8628,aboriginal cool burn fire +8629,pm lacks leadership on gst says wa premier barnett +8630,how much will facebook play in the election +8631,major business lobby group warning living standards in jeopardy +8632,timeline of violence at aurukun +8633,north west qld residents to get local mental heath helpline +8634,iraq national found guilty of deception charges in adelaide +8635,hells angels arson court +8636,monday markets with ric spooner +8637,sa police officer suspended after positive drug test +8638,indonesia seizes chinese fishing boat and crew +8639,navin sentenced to 12 years jail over housemate killing +8640,skenes creek where no one slows down +8641,state of origin blues that helped the maroons to victory +8642,veteran accused of assaulting rspca staff committed to trial +8643,share market lifts on strength of blue chips +8644,briony caitlin klinberg misdiagnosed with glandular fever +8645,collaroy residents will put their hands up and +8646,coroner delivers findings into death of mount isa boy +8647,rsl proposes support services shake up for veterans +8648,berrimah export yard plans +8649,call for labour hearing in bundaberg +8650,on polling the pm says he noted it but hasnt taken notice +8651,turnbull is asked what economic growth means to voters +8652,four injured as police shoot man hornsby shopping centre +8653,hakea prison report reveals overcrowding pressures +8654,papua new guinea shootings +8655,australian share market closes lower for third straight day +8656,cold front brings snow to tasmania after floods +8657,bundaberg mon repos turtle centre to get $10m in qld budget +8658,debbie schaffer cheryl edwardes wa queens birthday honours list +8659,melbourne refugee travels to geneva to speak at unhcr meeting +8660,qch bundaberg sugar fire +8661,two abseilers rescued after spending night on mountain ledge +8662,adelaide city council attacked over trips +8663,sir ian mckellen on the market in shanghai +8664,snapchatting bill shortens morning run +8665,wa government still failing to attract male teachers +8666,tasmanian greens candidate says teenage daughter abused at home +8667,malek fahd islamic school awaits court decision +8668,more floods forecast for parts of tasmania +8669,perth zoo celebrates birth of endangered tree kangaroo +8670,khaled abol naga +8671,man charged after cyclist killed in west footscray +8672,brexit obama moves to quell uncertainty before wall st open +8673,more gaming machines possible in wa minister admits +8674,nathan barrett to resign from clp +8675,union steps up campaign against csiro cuts +8676,mayor apologises for coffs roadwork gridlock +8677,nicolas baudin exhibition opening adelaide +8678,election 2016 david johnston attacks liberal party campaign +8679,police arrest escapee from correctional facility in ararat +8680,south australia xenophon election +8681,tongan bakeries banned from opening on sundays +8682,calls for housing shake up at regional heritage city of bathurst +8683,robot lawyers dutch conflict resolution technology on its way +8684,tracey lampton on abc north qld +8685,budget sa moving heaven and hell save from jobs crisis +8686,grain crops in north west wimmera off to good start +8687,turnbull to discuss minority government options with katter +8688,greyhound breeders plan to keep fighting against racing ban +8689,new wetland on site of aboriginal shanty town healing for elder +8690,zoe foster blakes amazinger face +8691,coalition secures majority government as lnp retains capricornia +8692,technology to play a pivotal role in nutritional study of young +8693,young aboriginal pilbara men reclaim traditional dance +8694,parramatta eels player corey norman pleads guilty +8695,rio 2016 olympic squads named by australia for rugby sevens +8696,road safety advocates alarmed by tasmanian road toll increase +8697,whale juvenile saved rope kayak double island point +8698,fromelles dig proudest moment of archeologists career +8699,western bulldogs adelaide crows afl top four bids +8700,abcs foreign correspondent to put spotlight on +8701,ex marine ambushed baton rouge police officers police say +8702,melania trump paints husband donald trump as compassionate fair +8703,sanghyun hwang confessed to killing in police interview court +8704,us remains divided gun laws as presidential campaign continues +8705,accc petrol prices report launceston drivers pay more +8706,base jump brisbane cbd crane botanic gardens queensland +8707,badminton star leanne choo in intensive rio training +8708,disease reporting underpins biosecurity program +8709,ruralco blocked from vietnam +8710,collingwood edged by north melbourne in thrilling afl clash +8711,ministers dcns meeting cancellation embarrasses government +8712,tamsin carvin west gippsland food +8713,punt road to become a 24 hour clearway from august +8714,doubt remains over perth childrens hospital opening date +8715,inadequate tas regional services add to high medication rate +8716,julia stiles talks bourne; gun violence and heath ledger +8717,protests as south korea opens comfort women foundation +8718,un expert says mistreatment of juveniles can amount to torture +8719,royal commission debate to go through historic garma festival +8720,firebirds reveal secret weapon ahead of swifts gf battle +8721,forensic investigator to probe new greyhound grave claims +8722,hidden treasures of indonesia +8723,homeless man to buy a house +8724,png police to investigate hostage hoax at alotau +8725,hilllary clinton leads donald trump in latest poll +8726,two hundred dead starfish wash up on southern perth beaches +8727,canberra piano students play for aged care residents +8728,demand for australias high quality live dairy goats +8729,oil price rally sends wall st higher +8730,four teens charged with aggravated burglaries robberies +8731,hearing loss and indigenous crime link +8732,rio 2016 memorable olympics moments +8733,wollongong accountant lucky winner of pacific +8734,australia v sri lanka test cricket +8735,iran nuclear scientist executed for spying for us +8736,keeney and smith still in shock after bronze +8737,major industrials weighing up their future says bryan green +8738,rowing postponed on day two rio 2016 olympics +8739,tas country hour august 2016 +8740,lorinna residents want road re opened +8741,perth malt house preserved in apartments +8742,msf photography exhibition on warzones opens in adelaide +8743,one plus one: michael caton +8744,robel the whale emerges as rio cult hero +8745,germany announces plans to thwart islamist +8746,rio 2016 matildas lose to brazil in quarter final shoot out +8747,man hospitalised after stabbing attack in st kilda +8748,uq uses sheep to cut grass at gatton solar research farm +8749,how citizen science can help australias native wildlife +8750,tasmania could wear cost of up to 1400 extra kindergarten kids +8751,arborists volunteer skills to save swift parrot +8752,battle of long tan commemorated around australia +8753,macgowan backs alannah mactiernan after ken travers resigns +8754,treasury financial results surge +8755,animal testing could it ever be banned completely +8756,melbourne weather 17c start with wild windy conditions expected +8757,police find 11yo woodridge girl after abduction fears +8758,treasurer stands by move to block sale of ausgrid +8759,us election weekly wrap let trump be trump +8760,canberra liberals pledge $10m to boost nursing numbers security +8761,rio 2016 emma moffatt finishes sixth in rio triathlon +8762,sunday august 21 full program +8763,after 40 years away; academic returns home to +8764,hurricanes confident line up will deliver big bash victory +8765,record 300m perth ice seizure two men senctenced +8766,anthony albanese search finds father he thought was dead +8767,perth childrens hospital $500k monthly carpark cost a good deal +8768,rotnei clarke returns to wollongong +8769,tasmanias industrials could struggle without long term gas +8770,melbourne researchers converting wine waste +8771,national press club: bill shorten +8772,women leaders in horticulture +8773,advice for worried parents on childhood anxiety +8774,victorian lawyers seek tasmanian farmers for case against milk +8775,colombia peace deal with farc rebels +8776,canberra man on push bike indecently assaults jogging teenager +8777,newcastle knights continue sorry season against south sydney +8778,sustainable agriculture farming food home delivery +8779,prime minister praises indigenous politicians +8780,royal commission hearing roger herft evidence +8781,strong signal stirs interest in hunt for alien life +8782,gympie muster goes cashless +8783,pregnant woman in singapore infected with zika as cases soar +8784,uncertainty surrounds future of small arms museum +8785,indigenous led youth diversion more successful +8786,nsw weather bom forecasts flooding rain amid low pressure trough +8787,hobart welcomes australias rio olympians +8788,seven questions for paralympian jaryd clifford +8789,clive palmer in court over the collapse of queensland nickel +8790,japanese artist mission to complete darwin wild rice sculpture +8791,australia and new zealand must step up pacific +8792,cctv public perception vs the research +8793,former cfa chief officer stands by decision to resign +8794,george brandis mark dreyfus foi dispute to be ruled on in court +8795,more sa children living in hotel rooms report shows +8796,sam thaiday takes a jab at dreamy jarryd hayne nrl finals +8797,costa rica acheives 150 days of renewable energy in 2016 +8798,former qld nickel director borrowed 500k from company court told +8799,lingiari art award alice springs +8800,policy set to change after pngs first national +8801,turkey ready to cooperate with us on is attack in syria +8802,exercise may help control hunger after mentally taxing work +8803,papua new guinea child abuse report +8804,us presidential candidate gaffe +8805,afl finals week one heroes and villains +8806,fiji opposition leader faces ban from politics +8807,paralympian rheed mccracken learning from idol kurt fearnley +8808,australia funds commonwealth youth leadership group +8809,episode 33: lights; camera; access +8810,booyah coffee caddy boosts prospects for young people +8811,superannuation changes slammed as cave to rich +8812,canberra airport new international terminal opens +8813,motorcyclist dies after crash in melbournes outer east +8814,pressure from lawyers to delay moves restricting sex offenders +8815,giant lizard runs onto race track singapore f1 +8816,russians vote in predictable elections +8817,simone vogel brothel madam missing death threat brother +8818,cctv footage shows assaults at royal brisbane +8819,forgotten history of new zealand blackbirding +8820,cairns hospital health executive perks 80 million deficit +8821,china to assist vanuatu in boosting pacific mini +8822,duchenne muscular dystrophy drug approval brings hope +8823,moves to expand wa parliament off the current agenda +8824,welfare service provider has no plans to extend +8825,exhibition to mark 60th anniversary of nuclear testing +8826,truck rollover in melbourne causes peak hour delays +8827,news exchange friday september 23 +8828,the northern territory labor government has arrived +8829,bombing in aleppo intensifying +8830,the saturday agenda: september 24 +8831,aleppo on the verge of collapse medical group says +8832,grandstand tuesday september 27 +8833,syria un aid convoys reach besieged towns near damascus +8834,trial hears don dale boys were dragged +8835,hydro tasmania baulks at power storage suggestion +8836,please come home: mothers desperate plea to +8837,china jails former guangzhou party boss for life +8838,northern territory mango exports united states +8839,shimon peres funeral brings israeli palestinian leaders together +8840,2016 afl grand final live blog +8841,breast cancer prevention drug tamoxifen listed on pbs +8842,clean brown coal fail in latrobe valley +8843,canberra liberals multi million dollar pledge at campaign launch +8844,emma j hawkins performer advocates for disabilities on stage +8845,india kills suspected kashmiri militants +8846,rural qld a big country putting bushfoods on the table +8847,banana grower reveals nightmare since panama tr4 found on farm +8848,dashing roger pitt australias first double amputee pilot +8849,jason day to miss australian open and golf world cup +8850,talitha cummins: im an alcoholic +8851,heart disease kills more women than most cancers study finds +8852,man walks to parliament with war legislation +8853,layne beachley thrilled for tyler wright +8854,brisbane boy starts a lemonade stand to buy a pony +8855,kumbuka gorilla escapes london zoo enclosure +8856,regulator reveals dodgy insurers but only to mps +8857,perth glory beat wellington phoenix 2 0 +8858,sexual harassment rates go up around australia +8859,iraq launches mosul offensive to drive out is militants +8860,sir gordon tietjens raring to go as new coach of +8861,us shares ease on netflix amazon fed rate uncertainty +8862,defence roles and responsibilities explained +8863,hopkins on lamb roasts +8864,mackay brewery owners connect with local farmers +8865,olive oil helps free student trapped for five hours in sa cave +8866,refugee advocates claim win as government lifts +8867,doctor assaulted oustide bunbury hospital during crime spree +8868,man ran over neighbour in heated dispute; court hears +8869,ppl plan ignores economics of well functioning families +8870,schoolies judith brown on abc tropical north +8871,tales from a husband and wife taxi team +8872,australian researchers shedding light on melting glaciers +8873,riverbank palais floating venue for adalaide festival +8874,horse hooves benefit from alternative equine care +8875,labour hire inquiry finds widespread abuse +8876,patients face tb tests after sydney dentist diagnosed +8877,qld mango season forecast picking +8878,hillary clinton hits out fbi timing email probe +8879,how to overcome exam anxiety +8880,soil first tasmania +8881,landmark case of void aboriginal candidate mark guyula +8882,ta ann sticking with forestry peace deal timber +8883,hazelwood closure will impact electricity pricing pallas says +8884,jamie buhrer excited about challenge ahead with knights +8885,queensland rail cost of the timetable changes +8886,australian toddler drowns in bali swimming pool +8887,tokyo hostess bars little understood part of japans nightlife +8888,police question jakarta governor after violent protests +8889,man in court over murder of jasmine walls in balga +8890,donald trump access to nuclear weapons should we be scared +8891,hail the size of golf balls pelts adelaide +8892,white pointer shark steals fish +8893,vietnam boat people facing jail after being turned away +8894,oil washes up fraser island identified from trading ship qld +8895,backpacking bees reveal disease +8896,livestock genome patent cattle researchers legal action +8897,png bank governor warns against using fake currency +8898,animal activist tries to place a net over nsw +8899,china raises south china sea dispute with defence officials +8900,michael quinn murder trial punished himself more than any court +8901,philippine dictator marcos to be buried at heroes cemetery +8902,rally car rolls in adelaide hills +8903,woman given unnecessary chemo treatment bad cancer diagnosis nsw +8904,helicopter crash search for passenger in dense rainforest +8905,government cutting 457 job list for skilled migrants +8906,offsiders november 20 full program +8907,business council boss says australian rating needs to remain ne +8908,wall street continues rally to fresh record highs +8909,first fledgling night parrot spotted by researchers since 2013 +8910,little havana; miami jubilant after castros death +8911,new life for old tyres as biofuel +8912,artist creates mother teresa portrait from staples +8913,perth airport direct london flights row continues +8914,victoria police officer charged by ibac over alleged assault +8915,great victorian bike ride organisers secure access for 2017 +8916,pole dancing robot makes surveillance state statement +8917,young cancer patients wish to blow stuff up comes true +8918,victoria promises improved disability support access +8919,bikies rumble bearing gifts +8920,weary tiger woods completes comeback +8921,emma kearney would love to play cricket full time if paid more +8922,atar scores for victorian year 12 students given out early +8923,satellite safety aaco trials gps technology to track staff +8924,beijing london olympics positive re tests top 100 more expected +8925,gender neutral school uniforms could stop bullying expert says +8926,seven west media ceo chris wharton believed to be leaving +8927,energy stocks after opec decision to cut oil output +8928,seventeen hour flights from perth to london +8929,deck the cwa hall with christmas trees through the ages +8930,michael hutchence inducted australian songwriters hall of fame +8931,karl hoerr supreme court sentencing eddie obeid +8932,ndmo says emergency plan in place +8933,party till dawn racehorse positive methamphetamine toowoomba +8934,flooding continues in fiji +8935,sru in court over unfair dismissal case +8936,hidden war history of tomaree mountain uncovered +8937,christmas food favourites and what they will cost you +8938,mark zuckerberg demonstrates morgan freeman voiced ai jarvis +8939,merry birthday when you are born at christmas time +8940,wedge tailed eagle released after recovery from powerline crash +8941,tantawangalo anglican church closure +8942,rare breed pig farmers promote sustainable christmas ham +8943,four men arrested in india after us woman accuses them of rape +8944,nt weather central australia missing uluru national park reopens +8945,crop duster crash near goondiwindi leaves man critically injured +8946,perth cool summer weather hits beachside trade +8947,child prodigy alma deutscher premieres full length opera +8948,csiro lidar radar +8949,serena williams engaged to reddit co founder alexis ohanian +8950,tasmanian fishing identities held after record cocaine bust +8951,toddler dies after being hit by car on sydney driveway +8952,how will governments pension revision affect you +8953,friendly way of keeping possums away from your garden +8954,laver honoured with melbourne park statue +8955,australia pakistan scg third test day four live blog +8956,chinese air pollution crisis caused by ongoing coal use +8957,queen elizabeth ii attends church after missing services +8958,ryugo fujitas photos document that japanese +8959,st kilda elwood beach closed after shark sightings +8960,carl von stanke and santiago neumann find shipwreck +8961,fijis actions over possible tsunami defended +8962,tully family third generation at cluny station +8963,perth childrens hospital lead contamination water filter fix +8964,sach mens wool apparel maatsuyker +8965,tomic trims down to tackle australian open +8966,shark response divides community +8967,woman who killed abusive husband allowed to stay in australia +8968,chlamydia and gonorrhoea cases up in queensland as doctors fear +8969,ley goes turnbulls reforms pave way for fewer expenses scandals +8970,will former un chief ban ki moon run for president +8971,beijing tells donald trump one china policy non negotiable +8972,australia distances itself from middle east peace conclusion +8973,former mp credits cannabis oil for helping him through cancer +8974,nazi camp excavations unearth possible link to anne frank +8975,fight for compo over aboriginal veteran land +8976,youth charged over three shopping centre fires brisbane logan +8977,green light for silverton wind farm project in far west nsw +8978,nff vows to fight defence land grab +8979,gold coast man arrested sexual assaults in south east queensland +8980,love is all nick kyrgios needs agassi +8981,png making little progress in fighting corruption +8982,philippine presidents drug crackdown faces court challenge +8983,back to school finding the right school shoes +8984,more bbl games on the way but packed schedule remains a concern +8985,lunar new year rooster celebrations kick off around asia +8986,sa airport opposition plans to overhaul adelaide freight routes +8987,chinese government bans vpns in internet clean up +8988,us tempers part of trump travel ban amid big protests +8989,melbourne boy banned from the usa +8990,melbourne boy denied us visa for school trip bonald trump travel +8991,nz election date announced +8992,gabriel jesus stars as city thrash west ham +8993,png blogs may have revealed a genuine scandal +8994,sach mining act review +8995,trump has a lot of respect for australia +8996,trump formal notice appeal lodged after travel ban decision +8997,trumps travel ban appeal denied by us court +8998,abc news sports quiz february 6 +8999,scallop fishermen call for research +9000,meet vincent shin australias first school lawyer +9001,fairy penguin found carnarvon +9002,hutt river prince leonard malcolm turnbull declines royal invite +9003,linc energy gas plant contaminated soil hydrogen +9004,more rain on the way for much of the pacific +9005,new process to try and extract more gold from mt todd +9006,russian wheat aphid forum +9007,energy australia boss worried about power bills +9008,internet love scam syndicates busted +9009,polly the pig +9010,youth offenders moved to barwon prison run riot +9011,pyne rules out tax increase to fund ndis +9012,turtle owner reunited with pet after trek in heatwave +9013,wa election hanson renewable energy polls and taxes on the trail +9014,qaisir khan was secretly filmed while sitting down +9015,sa unions factions jamie newlyn to stand alp preselection +9016,samsung chief lee arrested in corruption investigation +9017,how soviet architects transformed bus stops into works of art +9018,donald trump holds first post election rally +9019,international students arrive at queensland universities +9020,mosul the biggest battle on the planet +9021,woman dies in bangor house fire sydney nsw police +9022,opposition slams vicroads for western highway blunder +9023,athletes gather to discuss long time issue of mental wellbeing +9024,tasmanian government to acquire land for cable car +9025,border force investigating ptsd in frontline staff asylum seeker +9026,pets at the pub draws crowds to national wine centre +9027,storm chasers form gps tribute for twister actor bill paxton +9028,the drum tuesday february 28 +9029,the drum wednesday march 1 +9030,wall st snaps winning run ahead of trump speech +9031,a big country feral cat makes meal of snake +9032,beauty and the beasts lefou disneys first gay character +9033,financial planner jailed for stealing millions from client +9034,gunbalanya +9035,the lyon king of india +9036,maged al harazi man in court over death of wife +9037,maltas iconic azure window game of thrones collapses into sea +9038,police presence to protect moomba crowds after brawl last year +9039,what next for india australia trade +9040,bill leak speaks about his controversial cartoon +9041,brisbane artist realist painter robert brownhall +9042,pauline hanson challenged by muslim women on election trail +9043,remember when trump and obama were civil +9044,jarryd hayne on nrl sidelines with gold coast titans +9045,tasmanian devil conservation groups crowdfunds nsw sanctuary +9046,trumpisms represent the language of the +9047,call for action to curb excessive spending on nz +9048,claims that insurance companies are discriminating +9049,roger federer tops stan wawrinka to win indian wels masters +9050,turnbull says redirect freightlink funds metronet absurb +9051,teens could face sex offenders register over alleged rape video +9052,government works toward passing $1.6b childcare package +9053,mould on food prevented in murdoch university research +9054,kapuls coach confident new look team can get a +9055,police respond to parliament square incident +9056,proposed ban on fiji imports gaining more support +9057,nt taxidermist in illegal wildlife haul suspended sentence +9058,planet america 24 march +9059,family home should be in pension assets test shepherd +9060,cyclone debbie tosses trees near airlie beach +9061,katherine hospital from worst in the country to one of the best +9062,deadly funny the aboriginal comedians cracking up australia +9063,picture of debbies devastation begins to emerge +9064,proserpine family rode out cyclone debbie +9065,blind horse rider aims for paralympics +9066,joe ludwig accused of destroying live export ban records +9067,suu kyi says she is prepared to step down amid letdowns +9068,moscow police detain up to 30 anti corruption protesters +9069,numbat population grows after wa breeding program +9070,reserve bank stuck between rock and hardplace on interest rates +9071,antonio barrosso speaks to the business +9072,mother jailed over freeway crash which killed daughter +9073,why tougher apra rules do not worry banks +9074,james ronald minning jail sentence puts band tour in doubt +9075,men charged over premier hotel fire in court +9076,cricket at new stadium closer with drop in wickets ready +9077,european court rules against russia over 2004 school siege +9078,interview with nev power +9079,christian leaders calls for peace in world of pain at easter +9080,erosion mangrove dieback strikes again gulf of carpentaria qld +9081,john clarke plays bob hawke and paul keating +9082,theresa may calls snap election +9083,nsw flood warning complaints +9084,injured walker flown out of cradle mountain +9085,chris may on readjusting to civilian life +9086,horn pacquiao exchange pleasantries ahead of battle of brisbane +9087,airbag seriously injures darwin driver in first australian case +9088,john bertrand knocked back request to challenge john coates +9089,turkey referendum results show support for +9090,tree breaks womans fall from balcony during housewarming +9091,outback camels flights middle east exported for breeding +9092,increased secutiy measures to combat avocado theft +9093,one plus one: isaiah firebrace +9094,date set for shirley finn inquest +9095,innovative school daring to be different +9096,tim flannery warns against nt pipeline +9097,lou richards tributes eddie mcguire afl community remembers +9098,nailbiting win over fiji a boost for ikale tahi +9099,edible natives make comeback in tasmanian gardens +9100,federal budget 2017 welfare groups new requirements unemployed +9101,south sudan children hit by suspected cholera outbreak +9102,unpaid fines could be cleared for some qld new sper debt laws +9103,federal budget 2017 pm says welfare drug test plan based on love +9104,this is how aliens see earth +9105,celebrating mothers day on a military base +9106,eurovision spectator moons audience on stage +9107,canegrowers chairman kevin borg +9108,gun smuggling 2 +9109,iraqi forces attack islamic state in mosul as battle nears end +9110,wa feedlot installs artificial shade +9111,asylum seekers on manus island told to leave before closure +9112,did the president break the law +9113,the drum tuesday may 16 +9114,trump revealed highly classified information to russia reports +9115,a police investigation into major fraud involving +9116,damaged aboriginal ceremonial site granted to community +9117,johann gustafson tagging a juvenile hammerhead shark +9118,one nation wants extra staff for wa upper house mps +9119,tasmanian oyster farmers pinning hopes on poms +9120,child contracts measles overseas sparking victorian health alert +9121,footage shows lismore woman left to walk hospital +9122,a big country ziggy a divine hypotist +9123,martial law declared in southern philippines +9124,outback nsw community campaigns stop violence nurses +9125,fat nation the politics of obesity in australia +9126,thousands of homes affected by blackout across sydney west +9127,from the streets of zambia to a perth carpark a +9128,john mccain says donald trump does make him +9129,monday markets with michael mccarthy +9130,referees must not stifle the blues razzle dazzle +9131,anxious parents describe hearing malaysia airlines flight threat +9132,hayne commits to titans for another year +9133,pacific leaders express disappointment over us +9134,the day terror struck the outback mining town of boulder +9135,london bridge attack van on footpath people stabbed +9136,police lock down london bridge after alleged attack +9137,witnesses recount london bridge attack +9138,prince harry arrives in sydney for invictus games launch +9139,rural seasonal worker program in tasmania a success +9140,turnbull calls for parole changes +9141,agl unveils plans for new sa gas fired power +9142,comey testimony trump encounters with hookers loyalty and russia +9143,debate over full strength beer at new perth stadium +9144,should police be given shoot to kill powers +9145,dogs at polling stations as brits vote in uk election +9146,tougher parole laws after brighton attack +9147,when nsw police could use a sniper to kill a terrorist explained +9148,counter terrorism training facility wacol brisbane qld police +9149,canadian grand prix daniel ricciardo patrick stewart shoey +9150,state of origin nsw blues wary of revamped queensland maroons +9151,solomon islands secure their spot in ofc world cup +9152,war on waste the next generation of waste warriors +9153,australia wide 17 june +9154,moudasser taleb faces terror charges in sydney court +9155,a scene from dark mofos 150action show by hermann +9156,airbnb in australia the sharing economy has a dark side +9157,frances emmanuel macron wins big parliamentary +9158,man denies belonging to skinhead gang involved in gay bashings +9159,png coffee growers advised to learn to live with +9160,a big country banana farm back in business +9161,doomsday seed vault donation by australia +9162,land titles office sale raises concerns +9163,logging plan defeat for tasmanian government in upper house +9164,malcolm turnbull donation critical liberal party treasurer +9165,fiji oppn activist arrested after one man +9166,protestors defy ban on istanbul pride march +9167,robot orca designed to deter sharks +9168,sports quiz june 26 +9169,australians are spending up big on pet ownership +9170,kiev car bomb kills colonel in ukrainian military intelligence +9171,mahalia murphy ready to hit the world stage for wallaroos +9172,chip and chase: round 17 +9173,manny pacquiao vs jeff horn the complete hype free guide +9174,germany same sex marriage how did it just legalise it +9175,territory day fireworks part of northern territory freedom +9176,electoral college still undecided on vanuatus next +9177,donald trump and vladimir putin meet at g20 +9178,small business concessions good for wa barnett says +9179,indonesia police seize one tonne of crystal meth +9180,what comes next for islamic state +9181,gillon mclachlan says two afl executives resigned +9182,gunmen have opened fire at lions gate in jerusalem +9183,were not in kansas now : a disaster trump is +9184,housing affordability whats happening to great australian dream +9185,nat fyfe signs new six year afl deal with fremantle dockers +9186,it is in my bones; director christopher nolan says +9187,mernda turned from dairy to housing development hotspot +9188,accc warns big four telcos over failure to deliver on nbn speeds +9189,gamers promised faster graphics in nano technology breakthrough +9190,palestinians clash with israeli forces over metal +9191,balancing the ledger why women are key for big football codes +9192,antony green explains section 44i of the constitution +9193,imf downgrades us growth forecast +9194,baby of murdered nyc policeman born three years after his death +9195,nsw police offer reward in bid to solve lynette white murder +9196,prisoners escape from beechworth prison in victorias north east +9197,sperm concentrations in western men declined over 40yrs study +9198,relationship building between city and country with spirit level +9199,us military transgender policy remains unchanged for now +9200,nick riewoldt to retire from football at end of season +9201,cricket pay deal whats going on explainer +9202,kangaroo attacks woman at hope island golf course +9203,coroner told stroke specialists paid more than 1 million +9204,why you dont have much chance of a pay rise anytime soon +9205,same sex marriage: malcolm turnbull sets date for +9206,the commonwealths top execs hit with a pay cut +9207,carlys law +9208,french police and soldiers at scene of incident +9209,wayde van niekierk wins world championships in london +9210,accc concerned after school care merger fees +9211,high speed train narrowly misses car in poland +9212,series 2 episode 29: the bunker edition +9213,theres a battle within uber +9214,trump ignores journalists question about white +9215,aussie dani stevens wins silver in womens discus at world titles +9216,australian share market finishes higher +9217,royal commission into child sexual abuse recommendations +9218,north korea kim holds off on guam missile plan +9219,wa government testing the waters for bonaparte plains farming +9220,politics live blog august 17 +9221,sex offender avoids jail for harassing former 'hey dad' star +9222,terrorist attack in barcelona claims 14 lives +9223,should brisbane roll the dice on the nickname brisvegas +9224,baby boomers hitting the bottle and bongs at alarming levels +9225,woolworths results +9226,weak parents are raising a generation entitled brat boys +9227,flodyd mayweather vs conor mcgregor preview enjoy the circus +9228,henry burkes moves to cpc after 37 years at aaco +9229,family spokesperson ian hanson +9230,father charged over daughters death +9231,hamilton edges vettel in thrilling belgian gp ricciardo third +9232,popular feminism the personal is commercial roxane gay mamamia +9233,the mix +9234,multiple injuries red centrenats racing event in alice springs +9235,volunteers keep birdsville races running +9236,chinas military practises for surprise attack over sea +9237,gold coast superintendent stenner perjury nepotism borland +9238,lisa scaffidi wins delay to suspension as perth lord mayor +9239,us nuclear waste dump new mexico running out of space +9240,mcarthur river mine expansion economic arguments questioned +9241,tasmanian laws you have probably broken +9242,hurricane irma lashes engineers readying travolta gifted plane +9243,sacked cfa board member seeks revenge at ballot box +9244,couple accused of blowing up house to claim insurance money +9245,reality tv contestants explain being villains +9246,kremlin accuses west of whipping up hysteria over war games +9247,late debate: arthur sinodinos and anthony albanese +9248,wall street slips over inflation woes +9249,the jacinda effect +9250,matthew guy says the media and labor are +9251,sam kerr is helping to put australian womens +9252,archstone unveils plans for kimberley cattle stations +9253,asian attitudes to same sex marriage +9254,casual work provides greater flexibility less security +9255,fixing modern aquaculture madness with innovative solutions +9256,hurricane maria slams puerto rico after running over dominica +9257,mid air refuel brings davis station within reach +9258,nic street veiled swipe at eric abetz guy barnett over ssm fears +9259,spate of pet baiting in perth +9260,the life and times of kalgoorlies first drag queen +9261,remembering rise of lgbti activism in sydney +9262,north korea says mentally deranged trump on +9263,korea students injuries so horrific gender indistinguishable +9264,nt grower leo skliros best mango season 30 years +9265,experts warn australian submarine fleet is at risk +9266,trump suddenly focuses on puerto rico promises visit aid +9267,aussie dollar dips +9268,dogs abandoned in balis volcano red zone rescued +9269,otis carey art exhibition focuses ocean sydney +9270,things are still really bad in puerto rico after hurricane maria +9271,victorian greens leader greg barber quits parliament immediately +9272,two men injured during large public brawl at darling harbour +9273,antique revolver handed into tasmania police +9274,seniors more likely to use savings than leave inheritance survey +9275,daniel ricciardo says he will be riding with red bull next year +9276,standing tall doug langs struggle with mental illness +9277,theresa may vows to stay as party plotters attempt to topple her +9278,white nationalist richard spencer live streams +9279,murder rate katherine tennant creek worse than united states +9280,ban gendered school uniforms; address gender inequality +9281,fadi ibrahim bail prosecutors wife partner +9282,indias top court rules sex with an underage wife is rape +9283,indian fans apologise for australian cricket team bus window +9284,sound recordist tony hill wins media award +9285,community based care needed to curb mental health hospital admi +9286,california fires watch as this family finds their dog +9287,oscars board expels harvey weinstein from film academy +9288,sue hickey to seek pre selection for liberal party +9289,allegations of chinese government interference on +9290,attenborough urges action on plastic pollution +9291,world food day 350000 people in chad face starvation +9292,raqqa liberated from islamic state +9293,small town tyalgum nsw aims to be own power station +9294,giant robot fight ends in disappointing chainsaw massacre +9295,police offer $6 million reward to crack six cold case murders +9296,somalia death toll now at 358 as state of war planned +9297,shark bay diver john craig swims to safety +9298,eagles dockers perth stadium tickets and seat selection +9299,japans abe set to win election results show +9300,local market eases after strong gains on wall +9301,245 jump from bridge for rope jumping record +9302,italian semen nt diary buffalo +9303,malcolm turnbull rejects bids to sack michaelia cash +9304,penny wong asks why dfat not told about north korea letter +9305,retired doctor kidnapped moonie cult followers in 1970s +9306,malcolm turnbull trip delay not embarrassing dan tehan says +9307,work less not more that is the tip from bhp boss +9308,the tiny home revolution told in pictures and floorplans +9309,us women lost at sea never used epirb coast guard says +9310,former fbi agent says muellers first charges part +9311,red centre bush tomato harvest +9312,honouring 230 year history and romance of two paddlesteamers +9313,josh frydenberg labels hungarian citizenship +9314,your queensland election week 1 catch up +9315,daigous chinese personal shoppers new type of retail +9316,engie pulls money out of australian loy yang b power station +9317,james ackerman sunshine coast falcons killed by shoulder charge +9318,the making of media bites +9319,chinas singles day smashes retail records +9320,fire at shopping centre damage +9321,hodgman government waters down suspended sentence plans +9322,labor backs off calls for investigation into pyne twitter hack +9323,tasmanian liberal rumblings ahead of 2018 poll +9324,zimbabwes ruling party turns against mugabe: reports +9325,tim wilson joins insiders +9326,angurugu schoolies first graduate in generations groote eylandt +9327,russia admits ruthenium 106 spike near ural mountains +9328,charity caring for disadvantaged new parents needs space +9329,child sex abuse survivor kirsty pratt gets law reform +9330,china coal restictions a boost for lng +9331,getting a better deal on your power +9332,man charged with womans murder after fatal shooting +9333,nsw government reveals why olympic stadium is being knocked down +9334,yemen still under blockade despite saudi pledge to open port +9335,calls for political donation reform to be made a priority +9336,teachers union tasmania accused of anti union behaviour +9337,curious sharks +9338,fresh doubts about barry urban background +9339,live blog turnbull announces banking royal commission +9340,jamie dean sharman sentenced over abuse of teenage girls +9341,milo yiannopoulos protesters clash in melbourne +9342,rio tinto new chairman simon thompson +9343,shane warne questions steve smith not enforcing follow on +9344,corporate tax data released by ato +9345,west gate tunnel faces hurdle opposition refuse citylink toll +9346,why vagina cleaning fads are unnecessary and harmful +9347,australian dollar aud surprise rebound fed lacks credibility +9348,former nrl star scott hill turns houses into homes +9349,chances of recession receding minack +9350,hmas ae1 submarine found after century long search +9351,the wreck of australias first submarine found off +9352,crew of freyja confident of good run +9353,ellyse perry named iccs womens cricketer of the year +9354,boxer nathaniel may eyes world title as trainer fights cancer +9355,women crew climate action now in sydney to hobart yacht race +9356,pet rescue that helps dogs drug addicts disabled +9357,simple exercises to reduce neck pain for office workers +9358,uncle of seaplane victims says they will not be +9359,homelessness crisis in sa worsening agencies say +9360,parts of hume freeway have melted +9361,bought faulty product having trouble fixing it know your rights +9362,govt negative gearing claims contradicted by official advice foi +9363,alex de minaur a name to remember as he sweeps verdasco aside +9364,victoria police announce new community taskforce +9365,xenophon candidates sam johnson frank pangallo revealed +9366,kookynie pub patrons locals rescue injured horse +9367,pioneer of womens football appointed coach of mens side +9368,sydney train commuters prepare for more train disruptions +9369,japanese broadcaster issues false north korea missile alert +9370,sydney and nsw trains workers to go on strike +9371,the debate over the date of our national day +9372,mfb president resigns as union agrees on new eba +9373,motorists dash cam captures fireball over detroit +9374,winning drone race +9375,david feeney still no paperwork to prove renounced citizenship +9376,dimitrov beats the heat; cornet calls organisers into question +9377,lucy barnard speaks to weekend breakfast +9378,felicity urquhart remembers her roots in tamworth road back home +9379,nsw rail strike still on cards as talks fall through +9380,nsw police charge federal public servant funds islamic state +9381,tom antonio joins nick xenophon as sa best candidate +9382,tiny house is home for orange musician amy stevens +9383,state of the union unity call falls on deaf ears +9384,egypt discovery 4400 year old tomb +9385,the new perth stadium and sports precinct +9386,man who crashed into sydney cemetery exceptionally +9387,japanese princess delays wedding +9388,hot air balloon makes hard landing at dixons +9389,jacqui lambie in war with dumped candidate steve martin +9390,bobby allan muder charges second person police +9391,british politicians face tougher penalties for sexual harassment +9392,dragons are coming up on abc wild oz +9393,wreckage as russian plane carrying 71 crashes near +9394,how the aussies fared on day three in pyeongchang +9395,rake cast return for cpr awareness campaign +9396,hot sticky conditions set to worsen qld today bom warns +9397,oxfam chief guatemalan ex president held in corruption case +9398,vale fraser ramsey rural legend +9399,dragon fruit farmers criticise government for trade deal fallout +9400,youre a libertarian who believes everyone has the +9401,malcolm turnbull and barnaby joyce hold talks after public spat +9402,wife killer greenfield sentence a sham victims father says +9403,basketball court cleaner becomes a chinese internet star +9404,family tree change from the city brings small farm success +9405,invisible farmer emma: the self taught +9406,padman film about sanitary pads causes stir in south asia +9407,ship crew repels pirates using medieval siege techniques +9408,gap year on an isolated cattle station leads to instagram fame +9409,launching to school speech pathology transition +9410,tamil tiger due to be deported says he will face torture +9411,perth festival 2018 siren song turns cbd into sound system +9412,david gillespie on why he wants to lead the +9413,labor will win against cashed up liberals tas party pres says +9414,shark attack picture shows womans leg wound la perouse beach +9415,bizarre initiation rituals rampant at nations +9416,new zealand pm jacinda ardern not fazed by 60 min interview +9417,paramedics furious over bill for working with children checks +9418,after mardi gras indigenous lgbti people walk a lonely road +9419,friday markets with fiona clarke +9420,former wa deputy premier mal bryce dies +9421,mother of denishar woods demands answers after tap +9422,australian women reveal shocking cases of inequality at work +9423,market report with marcus padley +9424,second eyewitness describes poisoned couple +9425,haidarr jones from homeless teen to news cameraman +9426,us president donald trump says trade wars arent so +9427,fatal one punch attacker jailed death grandfather trevor duroux +9428,matthew leveson funeral held in sydney decade after his death +9429,toea wisil pacifics fastest woman absent from commonwealth games +9430,givenchy in pictures iconic designs of the french designer +9431,nab executive admits bank breaches responsible lending laws +9432,donald trump bull run ends democratic pennsylvania midterm win +9433,duterte to withdraw philippines from icc +9434,gun control us teenagers could finally force action +9435,the busy life of eddie woo +9436,bernardi says someone should lose their job over comedy sketch +9437,boris johnson agrees world cup like hitler olympics +9438,footage from news reports of columbine massacre +9439,eric napper reflects on producing 64 abc election broadcasts +9440,remote indigenous artists open own art gallery in sydney +9441,rex goes up in roaring flames +9442,donald trump orders expulsion of 60 russian diplomats +9443,why you might want to rethink that chocolate easter egg binge +9444,australian cyclist georgia baker journey to commonwealth games +9445,belgian parliament cuts endowment to prince laurent +9446,news quiz week ending march 30 +9447,royal wedding trumpets made in cow shed +9448,russia announces closes of us consulate in st petersburg +9449,scottish highland cattle farming at derwent valley +9450,nbn co boss bill morrow resigns +9451,warning on tasmanian real estate market +9452,oil spill in great australian bight would be welcome bp said +9453,how to survive in the post facebook world +9454,monday markets with michael mccarthy +9455,viktor orban demonises migration in election campaign +9456,woman who set herself on fire nt coronial inquest +9457,government launch investigation into ato +9458,family films fire encroaching on houses +9459,drought conditions loom across nsw farms +9460,how seven; hit nine and ten for a six; on cricket +9461,out of control bushfire burning in south west +9462,tasmanian gun dealers want more consultation over law changes +9463,fair work ombudsman investigation staff pay at vue de monde +9464,anz executive admits banks vetting procedures +9465,nt government delivers full response to royal +9466,avicii found dead in oman at 28 +9467,fnq mans fight to raise red duster in honour of fallen dad +9468,other half of perth dine and dash couple charged +9469,live sheep exports australian farmers call for ban +9470,my daughter was born while i was being shot at in afghanistan +9471,kim jong un arrives in south korea ahead of summit +9472,what happened to the future of aviation +9473,the shocking rate of brain injuries in domestic violence victims +9474,fish return to coorong +9475,bus driver charged after pedestrian struck crossing road +9476,jaw dropping stunts with wings over the illawarra +9477,eight charts on our growing tax problem what abandoning tax +9478,pga tour jason day almost hits hole in one +9479,victorys a league grand final win deserved richard hinds +9480,budget 2018 malcolm turnbull andrew probyn analysis +9481,aerial vision of kedron brook +9482,tasmanian hobart flood and storm damage declared a catastrophe +9483,three americans freed by north korea +9484,take a look at the helicopter nasa wants to send to mars +9485,family planning nsw targeted by hackers +9486,liverpool into champions league man city reaches 100 points +9487,making russia if you are listening podcast +9488,hackers trigger software trap after phnom penh post sale +9489,livestock agents plead guilty to nlis charges +9490,rehearsals underway for the royal wedding +9491,pollution in dandenong creek +9492,fears ndis will lead to mental health job losses +9493,jakub kornfeil performs amazing jump in moto3 race +9494,fact check jim molan fuel security +9495,concerns over care provider tss tasmanian children in care +9496,len buckeridge heirs decide to sell bgc after will dispute +9497,pcyc ruby rise up be yourself domestic violence dv +9498,indonesia passes new terror laws in wake of surabaya attacks +9499,yes and no campaigners clash in the streets +9500,football park to be opened to the dogs +9501,oyster stout for port lincoln +9502,police raid multiple properties around roma for ice +9503,pacific islands australian seasonal workers program fruitpicking +9504,domestic violence survivor makes music with a message +9505,david attenborough five things we learned about tasmania +9506,more saltwater crocodiles in the katherine river +9507,mt lyell start up questioned after indian smelter close +9508,the creepy looking robot teaching kids social skills +9509,the drum tuesday june 5 +9510,tuesday finance with alan kohler +9511,kate spade fashion designer found dead in her ny apartment +9512,melbourne shivers through coldest start to winter in 36 years +9513,un condemns deaths of 130 drug dealers in bangladesh +9514,do you have what it takes to be a trained bell ringer +9515,meghan markle prince harry royals queen elizabeth birthday +9516,engineer shortage threatening australian infrastructure projects +9517,suffragette marches mark womens vote centenary +9518,julie bishop on donald trumps meeting with kim +9519,chau defamation case continues as journo defends story +9520,tasmanian 2018 budget analysis +9521,pauline hanson one nation loners team players australian senate +9522,afl saturday scorecentre +9523,orangutan video comes as sustainable palm oil questioned +9524,newcastle man in court 11 year old girl assualt +9525,the power of one +9526,matthew fisher turner killing an execution lawyer says +9527,ban on smartphones in nsw schools on the cards +9528,a horse called fiasco crashes the darling range +9529,trump tells republicans stop wasting time immigration +9530,tamil family biloela deportation notice after court ruling +9531,xhaka scores from long range for switzerland +9532,toni kroos stoppage time pearler gives germany win +9533,alp attack ads slam turnbull over corporate past +9534,banking royal commission live blog +9535,dreamworld inquest told of ride maintenance cutbacks +9536,sunken indonesian ferry located 450 metres deep +9537,anosmia sense of smell and taste lost +9538,man rescued from car after hitting train +9539,women fight back +9540,bike sharing still going in sydney but for how long +9541,gulf domestic violence shelter empty after 100000 renovation +9542,turnbull says labor company tax plan is a war on business +9543,australias amost capital city crying out for more water +9544,body found in townsville police launch homicide inquiry +9545,china issues new rules to stop movie stars from evading tax +9546,ex hmas tobruk scuttled off the queensland coast +9547,steve smith pads up for twenty20 cricket +9548,outcry over removal of word aboriginal from certificates +9549,malaria sweeping asia but tafenoquine offers hope +9550,alleged drink driver crashes into bedroom of kardinya house +9551,former rio tinto executive stern hu released from chinese prison +9552,homelessness and the digital exclusion +9553,inexperienced and unqualified +9554,canberra hospital set to get accreditation +9555,police were called to a house on hull road in west pennat hills +9556,king island runner stewart mcsweyn has sight set on tokyo olymp +9557,north korea says talks with pompeo were regrettable +9558,france belgium world cup semi final +9559,cherry evans myths put to bed origin win maroons coach walters +9560,rio tinto boss admires pink diamonds +9561,police officer does nothing while man harasses woman +9562,the boot room world cup final +9563,russian treasure ship found off south korean island +9564,daniel andrews should face questions over misuse of funds +9565,french presidents bodyguard beats a student protester +9566,man dead after warwick farm shooting +9567,lindy williams guilty of headless torso murder +9568,musical prodigys devonport homecoming for jazz festival +9569,news quiz july 27 +9570,world cup quarter final win hockeyroos after penalty shootout +9571,zimbabwes opposition party says army action is unjustified +9572,foreign trained rural doctors facing crackdown despite shortage +9573,growing tropical oysters in the pilbara +9574,ice addict to serve time for robbing sex shop with machete +9575,thursday finance with alan kohler +9576,chart of the day nrl afl attendances tv ratings +9577,elon musk taunts tesla short sellers amid legal scrutiny +9578,defending champions port macquarie vanguard +9579,dj suave murder trial lost envelope ended in death +9580,dow jones jumps wall street europe rebound us china trade talks +9581,kogan profits surge after founder and cfo sell $42 million stake +9582,tas police concerned for welfare of launceston man +9583,winemaker in battle with peru over use of the name pisco +9584,police hunt dog killer in attempted altona home burglary +9585,the great barrier reef turf war +9586,abetz duniam stand by libspill as outcome for tas unclear +9587,chinese didi suspends hitch ride sharing service after murder +9588,mass shooting at florida video game tournament +9589,muzz buzz black operations building removal darwin +9590,nsw police probe suspected central coast murder suicide +9591,westpac rates decision shows little competition in banking +9592,nt boundless possible brand possibly similar to dubai campaign +9593,theresa may dances again in kenya +9594,congressional leaders say goodbye to john mccain +9595,gates opened at 0330 pm and an hour later the venue +9596,john millman fans watch from home +9597,bullying of women in politics also seen at state level +9598,tas shorten at state labor conference +9599,australian story who killed lyn dawson +9600,monday finance with alan kohler +9601,couple buys 10k hectares of land for conservation +9602,marilyn wallman reward for cold case information +9603,myer full year results 2018 +9604,squishie ban in denmark sparks australian investigation +9605,sex abuse victim service funding cut condemned +9606,theresa may safe from pro brexit tories for now +9607,scott morrisons question time video was quickly +9608,biomess challenges ideas of both art and science +9609,aged care funding how much has been cut +9610,nsw government backs down on fishing bans for sydney marine park +9611,sa country hour 17 september 2018 +9612,emmy awards celebrate best of television +9613,anu baseball bat attacker last youtube video +9614,strawberry needle contamination new markets waste queensland +9615,ah bee mack remains believed found at mount hawthorn house perth +9616,knitters chase world record in the name of domestic violence aw +9617,bernard tomic wins first atp event in three years +9618,taryn brumfitt tackles beauty industry +9619,tuesday markets with marcus padley +9620,three debutants likely australias first test against pakistan +9621,jaye christensens plea for answers +9622,push for mandatory carbon monoxide alarms after deaths +9623,bikies brawling in canberra strip club likened to wild dogs +9624,sans forgetica font helps reader remember text +9625,minister slams own government department evicting dv victims +9626,portal 2 +9627,msf confirms mental health team told to leave nauru +9628,amy shark courtney barnett lead aria award nominations +9629,huon reveals wa fish farm plans +9630,ian henderson abc farewell take two after technical issues +9631,royal wedding princess eugenie jack brooksbank official photos +9632,daniel love taking federal government to high court detention +9633,afterpay shares plunge on buy now pay late crackdown fears +9634,motocross rider christina vithoulkas vows to walk again +9635,origins of its ok to be white slogan supremacists united states +9636,tasmanian acrobat jiemba sands goes viral +9637,privacy fears driverless cars transport inquiry qld +9638,gp services in tasmania shortage health series +9639,kerri williams brian guardianship laws hospital darwin +9640,migrants trek under mexico heat +9641,what i want the church to know about domestic violence victims +9642,healthscope shares bounce on renewed takeover bid +9643,shane warne on whats wrong with australian cricket +9644,tuesday finance with alan kohler +9645,wheelchair repair centre +9646,farmers cull cows and lose money as grain prices soar +9647,the alarming divide between city and rural health +9648,cape town university researchers make bricks from urine +9649,sediment run off cane pollution clairview mackay qld +9650,victoria election coverage +9651,aca calls for bans on smith warner bancroft to be lifted +9652,gavin mcinnes proud boys australian tour alt right yiannopoulos +9653,ian chappell attacks leadership of cricket australia +9654,supreme court fines stawell tyre stockpile owner millions +9655,tasmania council election counting begins today +9656,victoria prescription monitoring painkiller addict heroin +9657,sole survivor of nz avalanche broken by loss of friends +9658,drones count isolated endangered sea lions +9659,ice crisis havoc victoria melbourne rehabilitation struggle +9660,humpback calf freed from shark net on gold coast +9661,volunteer rangers at not so sleepy preston beach +9662,melbourne cup parade +9663,aurora australis captured in timelapse by tim +9664,rainbow turbans beard buns australian sikhs uncut life +9665,neonicotinoid insecticide causes bees to abandon their young +9666,7.30 speaks to sisto malaspina in 1987 +9667,monday finance with alan kohler +9668,the mix: episode 35 +9669,firefighters save chihuahua stuck down big recliner +9670,qsuper members worse off over administrative errors +9671,uganda boarding school fire kills at least 10 students arson +9672,kezia purick staffer speaker interference party name parish +9673,mike pence announces plans to redevelop manus +9674,white magazine shuts down after same sex marriage boycott +9675,clashes in netherlands over divisive santas helper +9676,kayaking in the humla karnali +9677,brexit one step closer as eu; uk agree on draft deal +9678,canada immigration system success lessons for australia +9679,how the murray river is bridging indigenous police relations +9680,sri lanka faces further political instability over +9681,france returns 26 artefacts to benin as report urges restitution +9682,can china control the weather +9683,former mayor keeps integrity commission report under wraps +9684,police release child suspect images over melbourne home invasion +9685,ukraine envoy tells un security council russia +9686,homeless perth man adam vidot guilty of rachel michael killing +9687,independents day +9688,body found in wheelie bin in brisbane +9689,g20 world leaders pose for group photo +9690,attenborough speaks at un climate change conference +9691,sully service dog george h w bush funeral procession +9692,trump warns china and says he is a tariff man +9693,leighton executive peter gregg found guilty falsifying accounts +9694,deportation awaits aboriginal man held in detention +9695,elitist games behind opposition to proposed mona casino +9696,malala yousafzai will never stop advocating for girls education +9697,nick philippoussis child sexual assult charges dismissed +9698,scott morrison and the canberra bubble +9699,fog moves over sydney in rare mi +9700,oatlands looks for whisky led recovery +9701,online data trackers how to protect yourself +9702,why is the northern territory in so much debt +9703,bom csiro biennial state of the climate +9704,car ploughs into pedestrians after gabba big bash clash +9705,one womans roadtrip with 55 cats +9706,gavle goat and swedens battle to stop him burning down +9707,us judge orders north korea to pay for otto warmbier death +9708,man accused of threatening perth neighbours with toy gun +9709,tired australia flounders in the field on day two in melbourne +9710,tourists heatstroke no water during outback heatwave +9711,frock club +9712,uber driver was donating to charity at time of alleged robbery +9713,family of john rashidi speak at stockton lake +9714,scott morrison laughs off dodgy photoshopped shoes photo fuss +9715,turkish president launches blistering attack on john bolton +9716,sydney house rent prices drop according to domain data +9717,news quiz for week ending jan 18 +9718,pet crocodile kills woman at indonesian pearl farm +9719,bernard tomic to take legal action against lleyton hewitt +9720,fears for cardiff fcs emiliano sala as aircraft goes missing +9721,imf update points to continuing global slowdown +9722,may refuses to rule out no deal brexit amid parliament deadlock +9723,thai police say bodies found in mekong river were activists +9724,queensland transport infrastructure plan +9725,naomi osaka hopes sponsors will consult her after whitewashing +9726,australia day will always be a day of survival +9727,nigel scullion retires after colourful career plans to hunt pigs +9728,more qld parents choose to keep 4yos at home and delay prep +9729,bank shareholders brace for brunt of royal commission fallout +9730,the best par youll see today amy nails the 16th at phoenix open +9731,thursday markets with michael mccarthy +9732,chinese fashion brand advertisment controversy +9733,election 2019 brings scare campaigns back into play +9734,jeff morris speaks to the business +9735,retro focus panel van clubs in the 1970s +9736,black saturday bushfire anniversary kinglake bald spur road +9737,signs government panicking over possibility of early election +9738,townsville flood police cling to tree trapped in floodwaters +9739,eastern brown snake pops up in coromandel valley sink +9740,ambulance union launches legal action against department +9741,germany says facebook must redesign data collection +9742,dont rock the boat +9743,townsville flood volunteers +9744,disastrous week for democrats in virginia +9745,foster says investigation into red notices needed +9746,lnp election pledge for nsw farmers sees more money in drought +9747,png police ask for 284 apec cars back +9748,labor announces two billion dollar rail plan for illawarra +9749,why do melbourne city loop trains change during the day +9750,franking credits become a hot button issue as +9751,steam pump house bombing of darwin secrets +9752,worry about house prices as school zones change +9753,bodybuilder may have entered harrington park home by accident +9754,scandal and farewells dominate parliament +9755,jiu jitsu jedi damian todd sets world record +9756,milk wars whats at the heart of dairys battles +9757,supermax australias strictest prison is about to change +9758,why doctor tim duncan is backing the bush +9759,climate hackers +9760,dramatic footage shows ba flight rocking from side to side +9761,fact check does labors capital gains tax policy frydenberg +9762,new york introduce hair discrimination law +9763,impostor syndrome how to silence your inner critic +9764,vatican spokesman responds to painful news of +9765,wife of police commissioner has infringement notice torn up +9766,brodie lunn couldnt find a job because of his autism +9767,graphic language warning: pell denies child sex +9768,club respect aims to tackle sexist culture in nrl +9769,man dies five weeks after dog attack +9770,shane robertson sentenced for murdering partner katie haley +9771,police investigate craigieburn sexual assault +9772,bill shorten scott morrison wishful thinking on economy +9773,man found guilty of attempted murder with shoelace +9774,ethiopian plane crash places 737 max 8 at centre +9775,more survivors have come forward +9776,social media and reporting car crashes +9777,senator fraser anning egged +9778,monday finance with alan kohler +9779,new zealand muslims want crackdown on right wing extremists +9780,health apps sharing data common practice study finds +9781,brisbane broncos cheerleaders now a dance squad +9782,counterfeiters make fewer better quality fakes says rba +9783,nur dhania at kurdish refugee camp +9784,salmonella enteritidis bacteria sparked australian egg recall +9785,naked group swim for climate change +9786,harriet wran arrested for drug possession +9787,sex workers visit parliament to push for decriminalisation +9788,world record dive +9789,solomon islands heads to first elections since end +9790,british soldiers use picture of jeremy corbyn as target practice +9791,federal budget voters react ahead of election +9792,grandmothers alice springs pain breach bail nt police goldflam +9793,gregory johnstons triple zero call +9794,airbnb urged to review policies after family finds hidden camera +9795,doctors find sweat bees in eye of taiwanese woman +9796,federal election begins voters lose faith politicians +9797,lamington spiny crayfish at springbrook +9798,green gold: australias only pumpkin seed farm +9799,shorten calls for a national slip; slop; slap +9800,federal court finds ticket reseller viagogo misled consumers +9801,supporters of alan garcia riot after death of ex president +9802,thirteen dead in south africa after church wall collapses +9803,china increases surveillance near png +9804,poacher northern territory pleads guilty animal offences court +9805,fact check did labor oppose the government gun reforms +9806,iranian foreign minister proposes prisoner swap +9807,headspace failing australias youth experts say +9808,analysis federal election shorten morrison leaders debate +9809,who loses most in a pre election rate cut +9810,federal election wong talks foreign policy at lowy institute +9811,afl vfl commentator mike williamson dies +9812,broncos gamble on young guns over experience; as +9813,email tracking parties lobby groups australian federal election +9814,the fury over franking credits +9815,canberra cat killed in brutal attack in backyard +9816,federal election vote compass industrial relations +9817,man ejected from a league semi final may not bring daughter back +9818,federal election vote compass adani mine response +9819,jock palfreeman in interview +9820,federal election bob hawke death overshadows final campaign day +9821,ndis fails teen who faces life in nursing home +9822,getting on top of the winter blues +9823,fatal crash brisbane multi vehicle two dead +9824,michelle landry says the massive swing towards her +9825,markets receive boost after coalition election +9826,what the senate might look like after this election +9827,rba signals a rate cut +9828,peonies bloom in subtropics in trial mimicking cold winters +9829,hobart growing out not up +9830,video of nancy pelosi appears to have been altered +9831,fire in indian commercial centre kills at least 17 +9832,concern injured kangaroos left to suffer on country roads +9833,cairns father charged after son shoots sister with pistol +9834,fighting at brazil prison kills atleast 15 +9835,tasmania now 30 may briefing +9836,the letdown on abc is painfully real and painfully funny +9837,firefighter jailed for corruption +9838,nsw coast to be hit by strong winds rain during morning commute +9839,joe burns returns from england with fatigue disorder ashes +9840,dance club to be held in sa for lgbti elders +9841,drone footage shows adani doing illegal work at +9842,theresa may officially steps down +9843,indian masterclass shows up aussie shortcomings at the oval +9844,single use plastics to be scrapped in canada +9845,police raided several gold coast properties +9846,why the rba will be taking the scissors to +9847,we working to meet every one of those requirements +9848,seven die cleaning indian hotel septic tank +9849,fertility how much do you know about reproduction +9850,salmonella outbreak sees chickens culled on nsw egg farms +9851,cricket world cup australia v bangladesh live blog +9852,realities of children and their imaginary friends +9853,teachers pet subject chris dawson faces historic sex charge +9854,ash barty three wins away from world number one ranking +9855,court late husband sperm decision granted jennifer gaffney +9856,cocos islands golf course on international runway +9857,vaccine to save critically endangered orange bellied parrot +9858,surveillance capitalism how facebook google collect your data +9859,victoria to ban mobile phones in public schools from first bell +9860,expert condemns lack of action against pilot who fell asleep +9861,missing 7yo boy found safe after being taken from perth school +9862,water sales: cotton growers selling water +9863,nsw labor leader jodi mckay wants the party to show its heart +9864,talking pictures +9865,hong kong protests on anniversary of china handover +9866,what not to say to a transgender kid +9867,sex workers want decriminalisation marking fitzgerald 30 +9868,russias nuclear submarine disaster test vladimir putin navy +9869,ivanka trump to receive personal apology from uk trade minister +9870,south korea man defects pyongyang resettles in north +9871,ash barty out of wimbledon +9872,johanna konta upset by disrespectful questioning +9873,the mix: episode 24 +9874,robert mueller testimony russian interference delayed july 24 +9875,afl scorecentre tigers giants bulldogs demons power lions +9876,rba looks for unemployment to fall jobs market has other ideas +9877,australia diamonds progress through preliminaries unscathed +9878,cricket world cup final was the greatest odi ever played +9879,lost paradise dance festival mdma death inquest doctor evidence +9880,search for missing walker michael bowman begins +9881,refugees australia questioning right to future in country +9882,earthquake panic calls for better emergency information +9883,25 year old woman arrested for murder of her mother +9884,two australian men arrested in bali for drug possession +9885,asx all ordinaries exceeds record closing high +9886,australian company sending weapons systems directly to uae +9887,invictus games tyrone gawthorne sentencing +9888,joe burns unlucky to miss ashes selection trevor hohns says +9889,queer eye karamo brown gets better in season 4 +9890,monday finance with alan kohler +9891,royal hobart hospital budget 50m cuts +9892,sydney morning briefing tuesday july 30 +9893,transgender athletes in the pacific under fire +9894,australia rejects climate concerns from pacific neighbours +9895,ros childs has the latest headlines from abc news +9896,us intel to announce osama bin ladens son is dead +9897,audio recording of ronald reagan +9898,garma festival noel pearson indigenous recognition constitution +9899,jason de iesos parents plead for information +9900,war on drugs southeast asia has it failed +9901,hong kong protesters warned by chinese officials +9902,us stocks claw back lost ground as china stabilizes currency +9903,william tyrrell abducted in car inquest in sydney hears +9904,jo postgate tells of loss of embryos in sa blackout +9905,more pain today for amp shareholders +9906,photographer charles freger captures indigenous dance +9907,mehmed solmaz jailed for killing ex wife fatma solmaz +9908,new zealand a month on from gun buyback scheme +9909,spend a night at taiwans presidential palace +9910,is watchmaking a dying trade in hobart +9911,the official cause of death was respiratory failure +9912,the drought is driving more farmers to drink +9913,a typical logan commute +9914,jonathan dick charged with stalking and attempted murder +9915,donald trump postpones meeting danish pm greenland comments +9916,asio agent name accidentally revealed error qld premier +9917,how does australia come back from ashes disaster +9918,allegations of bullying at port augusta mfs fire station +9919,queensland police divers search the submerged fishing boat +9920,arnhem space centre opponent bids for native title case land +9921,gp sharif fattah investigated for professional misconduct in nz +9922,endangered finch that threatened adani bred by school kids +9923,trump volfefe index +9924,water detected in atmosphere of alien planet +9925,wombat faeces cube shaped because of intestines scientists learn +9926,ceo bonuses soar as qantas boss alan joyce tops list +9927,brownface just latest scandal threatening justin trudeau +9928,tasmanian tattoo parlours fail health audits as industry expands +9929,parkinsong gives voice to people living with parkinsons disease +9930,sydney morning briefing monday september 23 +9931,earthquake kills people flattens buildings northern pakistan +9932,flooding rains infant milk demand buoy regional dairy industry +9933,bundaberg paradise dam what went so wrong +9934,city of stirling mayoral elections marred by damage abuse +9935,qld government orders removal of halifax bay fishing huts +9936,anu vice chancellor says the cyber attack was sophisticated +9937,johnsons final brexit offer set for a thumbs down from eu +9938,life inside the christian brothers religious order +9939,cockatoo recovering after being shot four times +9940,nathan day wangaratta murder committal hearing +9941,laughter yoga health benefits no stretch says brisbane woman +9942,two businessmen linked to trumps lawyer giuliani charged +9943,energy minister angus taylor discusses snowy hydro +9944,australian is brides plead as syrian troops move closer +9945,4m king cobra found in krabi thailand +9946,donald trumps thousandth day in office sees shaky syria deal +9947,man crashes into pedestrian in adelaides south +9948,sixth world internet conference china wuzhen +9949,democratic representative calls republicans desperate +9950,spc jam factory mystery buyer not australian owned +9951,boris johnson to call general election +9952,nick kyrgios returns davis cup exile but can he be a team player +9953,bogong moth app helps track them +9954,why you might struggle to buy japanese beer in south korea +9955,interview with brian hartzer +9956,tiktok stars on chinese social media +9957,hong kongs last british governor chris patten +9958,earle haven inquiry finds evacuation life threatening +9959,about abc emergency +9960,barossa and mount barker first to trial uber style buses +9961,sydney fireworks condemned on social media +9962,police may charge 17yo schoolie on gold coast balcony ledge +9963,increased participation by some sectors of the +9964,experts sound warning as families source 3d prostheses +9965,mildura turns red as a dust storm sweeps through town +9966,british backpacker grace millane man found guilty murder +9967,in the studio with thomas clarke +9968,marie kondo wants you to buy a crystal and tuning fork +9969,why is venice flooding +9970,essex truck human trafficking deaths second man charged +9971,hong kong pro democracy candidates sweep early round of election +9972,what victoria default power price rise means for consumers +9973,mr albanese argues the pm shouldnt have made the +9974,zlatko sikorsky court larissa beilby +9975,could milkmen and glass milk bottles make a comeback +9976,koala sniffing dog saves wildlife after bushfires +9977,property sales in perth richest suburbs lead house price growth +9978,face masks for bushfire smoke haze pollution +9979,alarm bells should be ringing over student pisa test results +9980,uyghur bill passes us house of representatives +9981,spin bowler tabraiz shamsi magic trick t20 cricket south africa +9982,sports betting gambling royal commission costello wilkie say +9983,shannon manning ndis problems +9984,brisbane heat beat adelaide strikers in wbbl final +9985,david warner joe burns on mcg and perth stadium pitches +9986,pm says up to three australians are among five people killed +9987,sanna marin named as youngest ever finnish prime minister +9988,professional fire crews pitch in to help +9989,there is a 40 60 percent chance of eruption on white island +9990,policeman apologises over wombat stoning video +9991,weekend reads virginia trioli +9992,passengers evacuated after qantas plane returns to syd +9993,troy taylor to stand trial for murder of michael wilson hastings +9994,bushfire threatens melbourne suburbs +9995,bushfire approaches adelaide hills property +9996,tasmanian backyard pod scheme hoped to combat housing crisis +9997,uber co founder kalanick leaves board +9998,man dies in jetski accident +9999,big ben to toll for first time since 2017 to ring in uk new year +10000,yarraville shooting woman dead man critically injured diff --git a/data/podcast1.csv b/data/podcast1.csv new file mode 100644 index 0000000..fa6b582 --- /dev/null +++ b/data/podcast1.csv @@ -0,0 +1,143 @@ +headline +Let's face. +It podcasting is a booming business. +I have information that I want the world to hear about but I don't want to pay the outrageous fees that most Distributors charge. +Well good news. +I found the answer anchor anchor dot. +F m-- and the anchor app are what I use to create my content and distribute it free to the world to all the major players Apple Google even Spotify. +I could even record adds.It paid for plays by my listening audience. +I can record myself host a guest add music and bumper tracks even import podcasts that I've recorded on the road anchored on FM and the anchor app is freedom at your fingertips zero distribution fees broadcast your voice today. +"Ever wanted to create your own podcast, but you didn't have the budget for an expensive Studio or boom Mike's introducing anchor anchor is the first free podcasting app a hundred percent Freedom at your fingertips record on your computer or mobile device record yourself you and a guest add music and bumper tracks lead your RSS feed or import other podcasts." +You've worked on you can even be matched responses so that your listening audience pays you for Plays that's right. +"You get paid for podcasting broadcast your voice today visit anchor dot f m No Shikata, it means holy worship." +Join me your host Robert Randall as we delve into biblical instrumentation and music history to discover. +The sounds behind the words of our savior Yeshua. +Well karev miss bacalhau. +Yeshua Messiah. +It is a beautiful Monday evening here. +"In the Colorado Rockies, I'm your host Robert Randall." +Once again with another show of kadosh. +Akaka. +"Holy worship understand the sounds behind our Master Yeshua, the Messiah Father's Day." +We give you glory as we listen to part two of this reconstruction of the silver liar of the UR of the chaldees father. +We ask that again that we understand this is for an educational benefit for the body of Messiah. +And we thank you for this opportunity father to understand the roots of music. +It's a joyous thing. +This is a very unique area of study and we give you all the praise and glory for this father. +And yeshua's name. +Amen. +"Okay today, we continue with part 2 of Richard umbral who will be playing some of his reconstructed silver liar as well as finishing with some final comments as as to the construction of the theory or the science of the sound behind the strings themselves within pentatonic scales as well as in other reconstructive areas." +So you will really be able to hear music in its purest science in terms of sound and how notation is brought about but this is from one of the most ancient sources probably from the time of Nebuchadnezzar as well here today. +From textual critic Irving Finkel who is a Babylonian scholar a textual scholar much like the Hemi Gordon is with Hebrew texts Irving Finkel is going to be detailing to us some of the cuneiform tablets that discuss the musical systems that took music from a seven note system into a nine notes system. +"And so with that being understood that is going to be at the end of our show today family, man." +"hi, I'd like to do an examination of the string instruments again just as a conclusive packaging of each of them so that you have a better idea of what these instruments are in a more succinct formation because much of the research that I went into had a lot of debate surrounding it and I would like to at least give you a reasonable presentation of what each of these instruments are so that we can end on this topic and move forward with our Woodwind instruments in this hover you how to cut IM Yoona this Hebrew walk of faith." +"We know that one of our staple chapters within scripture is Leviticus 23, which talks about the Moa deem or the feasts of the Lord Feast of yehovah with this in mind." +Let us now turn to Daniel chapter 3. +We need to have an understanding of the one passage that gives ABS almost every single musical instrument within scripture. +Let's read through this together Nebuchadnezzar. +The king made an image of gold whose height was 60 cubits and the breadth of it six cubits. +He set it up in the plain of dura in the province of Bevelle. +"Then Nebuchadnezzar the king sent to gather together the princes the deputies and the governor's the judges the treasurers the counselors the And all the rulers of the provinces to come to the dedication of the image, which Nebuchadnezzar the king had set up skipping diverse for then the herald cried aloud to you." +It is commanded peoples Nations and languages that whenever you hear the sound of the horn flute zipper liar hop pipe and all kinds of music that you fall down and worship the golden image that ever knez of the King has set up and whoever doesn't fall down and warships. +Shall the same hour be cast into the midst of the burning fiery furnace. +Therefore at that time when all the peoples heard the sound of the horn flute zither liar harp pipe and all kinds of music all the peoples the Nations and the languages fell down and worship the golden image that Nebuchadnezzar the king had set up there for at that time certain castes Dean came near and brought accusation against the hoody. +They answered Nebuchadnezzar the king. +Oh King live forever You O King have made a decree that every man that shall hear the sound of the horn flute Z the liar hop pipe and all kinds of music shall fall down and worship the golden image and whoever doesn't fall down and worship shall be cast into the midst of the burning fiery furnace. +There are certain yehudi whom you have pointed over the Affairs of the province of Bavaria Shadrach Meshach and Abednego these men O King have not regarded you. +"They don't serve your Gods Know worship the golden image, which you have set up." +"Then Nebuchadnezzar in his rage and fury commanded to bring Shadrach Meshach and Abednego, then they brought these men before the King Nebuchadnezzar answered them." +"Is it on purpose Shadrach Meshach and Abednego that you do not serve my God, no worship the golden image, which I have set up." +"Now if you are ready whenever you hear the sound of the horn flute zither lie, a hot pipe and all kinds of music that you fall down and worship the golden image, which I have made well, but if you don't wash it you shall be cast in the same hour into the midst of the burning fiery furnace." +And who is that God that shall deliver you out of my hands? +Shadrach Meshach and Abednego answered the King Nebuchadnezzar. +"We have no need to answer you in this matter if it be so our God in whom we serve is able to Deliver Us From The Burning fiery furnace and he will deliver us out of your hand O King, but if not be it known To You O King that we will not serve your God's nor worship the golden image, which you have set up biblical dramatization set aside." +I do hope that You can appreciate Daniel chapter 3 as being the go to chapter 4 biblical musical instruments as a key reference point. +I'd like to encapsulate all the instruments that we've studied in season 1 of this show thus far of all the string instruments. +We've looked at the kin or which was considered to be a portable liar or a guitar by some Scholars Reckoning was also a instrument that was played with a electoral which is a small bone staff much like an inch guitar pick of the day. +We also looked at the ne Bell and it's brother the Annabelle is or the Annabelle was a harp of moderate size and it was portable. +"It Not only was detailed in its composition by Josephus the historian of the first century, but also was said to have 12 strings while the the Bell is or its name comes from as or hebraic lie the ruins To being the number 10 as having ten strings." +"We also looked at the sub Mecca, which was a large harp." +It was also fixed to a stand some accounts. +"Then we also saw the Santorini which is based off of The Book of Psalms, which is in modern sense a dulcimer of the east and west from Hungary and end country folk here in the west as well as the surprising modern example." +Incarnation of what would probably be considered the grand piano? +Finally there is the katate which was a liar or guitar and it's names that gives it away into the modern incarnation of the guitar. +I'd like to now share with you the resources used in this broadcast. +"Dr. John Steiners the music of the Bible and account of the development of modern musical instruments from ancient types Dennis macaques book the davidic cipher unlocking the Arms at music of the Bible.com egyptologist David Rules book Exodus myth or history as well as the Bible Cantina app, and I must apologize for I did not realize where the Bible Cantina app got its resources from quoting Church fathers." +"Apparently, they pull their quotations from Wikipedia." +And so I will do my utmost to find a better resource in future broadcasts. +Hebrew Nation radio I would like to personally thank you for this opportunity. +What was originally intended to be an academic literary work you have made possible to be a radio broadcast to thousands of listeners around the globe in the body of Messiah. +If the spirit has led you to do. +"So, please donate to Hebrew Nation radio." +None of us. +The broadcaster's are programmers or any of those who dedicate their time are here without your donations the same goes for the podcasts. +I'd like to thank anchor podcast for Leading to multiple platforms and enriching our audience on Apple Spotify Google podcasts and others. +If you'd like to find a total list of our Distributors go to Anchored FM and look up kadosh Chicago. +Holy worship. +You can even leave voice messages with your comments or questions about the show and donate to the podcast as well. +Finally. +"We're going to end with our part 2 of Richard dumbbells discussing his reconstructed silver liar, and it's tuna." +Being from Babylonian understanding as well as dr. Irving Finkles understanding of the cuneiform Babylonian tablets and how music was transformed from a seven note system to a nine note system. +"This is a rare treat and a beautiful interview, please enjoy." +The chilling of this instrument will rather more complex matter. +"I have spoken before and so did having Finkel about the cuneiform texts, which is called yuuichi 726 which is a laid Babylonian copy of a much older texts, which was called Nabbit new 32 and never knew that it was a collection of lexical texts and the second 30 second tablet of which is devoted to the naming of musical strings this Tablets mentioned 9 strings and they were labeled first string second string third thin string 4th string created by the god." +Are we look at imbalance in the god of Music fifth string 4th string on the behind third string of the behind second string of the behind and behind stream. +For a long time we wondered what was the reason for this form of numbering the notes and the string of the notes and I came to the following conclusion because Sumerians were highly motivated buyer or symmetrical things. +I'd arrived at the tuning of the instrument would also be done in Symmetry and therefore they would take a central note. +Which is this one and they would tune a fifth from it going up and from the central node. +They were tuna V down. +And then from the fifth and they would cuneiform up. +"And from the uppermost ring, they would join a fourth down then from the central string the wood trim the fourth down and up." +So therefore there were arriving at a system which had to be a dental assistant. +"To complement the any Atomic system, they would have to add notes within this fan and these notes would be and this one which amount to the Triton which the satanic integral in music in need of us called in the Middle Ages Sefa djiboutian was he is BMF is the devil." +Lynn music and of course this this integral is diabolical. +"But anyway, it had to it needs by mathematical necessity to exist in any mode that you can think of but this produces the following scalar, which is what I call the Energon in system because it's a system made of nine minutes." +"Now we have had look, My and we see that indeed it has 11 strength." +So what was gained? +"Well, as you can see this bass string is offset." +"It is not within the trapezoidal shape of the lie, and they thought my conclusion is that this was added a bit later and therefore in order to respect symmetry." +This one was added at the same time. +And we then have elements dreams. +"Why did they not like the the system with seven move the three no aspect of the neck or the 11 the strings system, which is called the hand of God or the triskaidekaphobia 13 strange the because these numbers are not regular numbers and we know from tablets we found in the temple library nebu that the music system is based strictly on regular numbers, excluding 7x been 11 and 13 and therefore the ideal number two." +Until musical scale was a night with system the energetic system. +"Now, I will show you how the killing was done on roughly because of take can things that amount of time now we said we've got the central note is a deal and they will tune V about with this is not just and then a fifth down that's about just then a fourth up." +And then a fourth down from here 1 2 3 4 and from the 5th and 4th and here too. +So we have Which is a tent and in scale then we need to tune the third and this one having the tractor. +"In fact, we are choosing here." +Then we can tune the first strength and the last one a marketing director. +I can also sew. +We have the complete system here of 11 notes that we call a handicap chord. +I believe that the hand Accord was a development from the anatomy system at a time. +"They said they said well, you know, it's nice to be forbidden having 11 strange because the Newport X safe so and why not try with 11 strength, it can largely us stand a bit more and of course which will allow for not more modes to be played with an assistant as in lead with 11 strings we have the first mood to 3 we have which is the mode of F and here mode of G and then but array and the murder of be so effectively 11 strains allows for having four modes with them." +So it's a very interesting instrument that these modes are with seven notes and this tends to indicate that this style of music based on the any Accord was a transition period between the nine Hertz system and the Seven loop system which was adopted effectively and completely not before the Familia me see now going back to the ancient yuning where we have whether the nine knows the fun in this game. +The way to generate the next mode would be to locate the tritone. +Here it is and then to correct this node by tuning it up a semitone higher. +And then we have the following mode. +And so the from the mood of the original mode they were tuned they would correct a note of the Triton in order to generate the next node. +You agree that security 774 which of the training instructions will be all Babylonian the u-87 704 which is your primary manuscript is certainly old Babylonian in date. +We can tell this manuscript which is a well-established matter. +We have the mini other old Babylonian tablets more. +So this is certainly the first half of the second millennium BC. +I think you can take that for granted. +Yes. +"That's great and the the subjects which is called you, et7." +106 +The Texaco text lexical decks. +"Yes, that's a different matter that is part of a lexical series and one of the wonderful things about ancient Mesopotamian Scholars is they compiled these dictionaries and lists of words lists of grammatical points list of God names and so forth which are very useful for us and there was one particular series called Dabney to which was in fact probably got underway about the last few centuries of the second millennium." +He may be about 1200 BC something like that. +They started to make lists of Sumerian and akkadian words under the name navneet. +"Ooh, and there are 32 tablets that make up this whole composition." +"And the last one is the one which is most important for music because the scribes who compiled it took the old cimmerian words for the names of the strings on this instrument and translated them into their Babylonian equivalence because the connection Writing is you know, sometimes has covers text in the Sumerian language sometimes in the Babylonian language and you can't tell when you look at the cuneiforms signs which language it is until you read it, but with a dictionary like this you have an example of a scholarly mind who wants to make order out of all sorts of disparate material and in this particular case, they take the old Sumerian string names in order and they give the Babylonian equivalents the two languages in a bilingual list." +Do we have evidence of an earlier Texans humor and only? +"B stands and there is a different fragment which has the same list on it, which judging by the script is older probably from the end of the second millennium BC the big one from Earth and most important." +Let's go tapes was probably written in about the 7th Century BC. +The manuscript itself is what we call neo-babylonian. +So it comes out of the school maybe after the fall of Assyria from the time of Nebuchadnezzar or later where some scholarly and some Scholarly context this text was being recopied again. +"So the manuscript from oil which has come to us, which we've been studying itself was written in the first Millennium, but because of this little fragment we can be sure that the content the actual ideas and the words on it come from a slightly earlier period And this is nothing surprising because the whole emphasis of cuneiform scholarship was to preserve learning from the previous period to preserve it." +You could pass it on to copy it to transmit its and the musical information which we have now from these scattered pieces is part of this program where things were established. +They were understood it was written down and then they were preserved and copied and copied and copied and copied. +So we've been talking about these manuscripts as manuscripts. +"And of course, they are wonderful from the cuneiform missed the point of view as important resources when it actually comes to appraising them in terms of their importance with history of Music they are colossal because what we have uniquely and what has become clear perhaps for the first time quite recently is we have archaeological evidence for the instruments themselves." +We have images of them. +We have graphic representations or from and we also have as it were living texts written by musical Minds about this material. +So it means that a musicologist has the wonderful opportunity to combine an instrument or reconstruction of an instrument and understanding that it's with a text written from that culture which is survive to us where the two can be combined to produce real understanding for the first time of what this music really was like \ No newline at end of file diff --git a/data/podcast2.csv b/data/podcast2.csv new file mode 100644 index 0000000..fe73eb5 --- /dev/null +++ b/data/podcast2.csv @@ -0,0 +1,378 @@ +headline +"Hello, welcome to the first episode of little cabinets." +I'm your host Emily. +You can find me on Ravelry as AKA Millie and on Instagram as AKA Millie 9:07 and thank you for joining me today on this brand new adventure. +"I am coming to you from my well, I guess you could say my time.Cabin, my little cabin." +Thus the name of the podcast and Rural Alaska a little town called Keen Eye and I live on the outskirts of Kenai and I am a longtime Knitter. +"So I have been thinking for a long time a very long time years in fact of recording an audio podcast, and I thought that I would get my self in gear and start." +Art 2020 off right and finally settle down to record an episode. +I already have a vlog I hesitate to call it a podcast. +It is on YouTube. +"It is called Anders Milne it's and honestly, if you would like to go over there and check out the visual of everything that we discuss here on the audio portion." +Feel free to do that. +"Warning I do ramble on a tad bit, but I am told that it can be enjoyable." +So I encourage you to go over there and take and take a look there. +I do try to. +Create show notes. +I am not good at that. +"So mainly my my recording of these episodes will be natural and flowing if you will from my poor little Noggin, so that means that I'm a stutter and say the word and maybe lose my train of thought once in a while, but at the same time, I think that for me personally that works best." +Because I become very anxious when I start writing down my notes for my podcast and I really do not want this endeavor to be an anxious one. +I my word for the year 2020 is intention. +I want to live with intention which means honoring myself and one of the ways that I am going to honor myself is recognizing areas that I'm a struggle in and don't feel comfortable in maybe Oh that's means it's also a place of growth for me. +"But at the moment, I'm just going to recognize that writing show notes is little outside my comfort zone keeping track of my my Works in progress and finish objects on Ravelry is not a strong suit either." +"However, I would really like to get better at that." +That would be great because then I wouldn't be scrambling as I was. +In just a few minutes ago to find out the name of a yarn that I am currently using in one of my wips a little bit more about me then and why I started this podcast I am a great lover of audio podcasts and I've been a Knitter for at least 19 years and I find myself continuously learning about knitting every single day from just my own personal interaction. +Action with whatever it is. +I'm working on to hearing from other people through video podcasts through audio podcasts and through just the interwebs and our daily communication with each other like Instagram even and that's why I listed. +Please go over if you'd like and like me on Instagram. +"It's both my personal account and my podcast account so you will find lots of Melding of the two over there and I do post things occasionally about things that I'm learning about and but mainly I just love learning from other people and one thing that I've noticed over the years is that there was a large influx of audio podcast that soon died out and then there were the Mainstays, you know, and people like down Cellar Studios and now Yarns at Yin, who?" +"ooh, and the tune it lit chicks and Oh, no, Paula Deen's Not Paula Deen." +That's a cook. +But Paul has podcast knitting pipeline. +"Those guys have stayed around and I just you know, and then there's been a huge influx now a video podcasts and I think the reason for that is it's a lot easier to create and post on YouTube." +Then it is to create an audio podcast. +A lot easier to edit edit. +"I'm sure well, I know actually but at the same time it's also visually appealing we like to see what people are knitting on the flip side though." +"I as spend a lot of time without cell service and without any means of internet in both in my little cabin and when I'm traveling from Kenai to Anchorage, which is anywhere from a Two-and-a-half to three hour drive and so I find myself longing for more podcasts." +"He listening podcasts, especially on the subject that I am most adore." +So I finally just decided. +"You know, what I'm going to go ahead and do that." +Now the aim of this podcast is twofold one is to continue my love of crafting through and sharing that love of crafting with anyone out there who so cares to listen on the Flip side I also well at the same time I should say another goal of mine of this podcast is to explore ways of crafting with in a tiny space. +The cabin that I am currently residing in is about 360 square feet and that is a two-story one. +"So it's pretty neat as pretty small on each story if you were to compare R a motor home with a pullout for the kitchen that would be about the size of my downstairs, you know, the the living and dining and kitchen area and then I have a really small cubby / Loft area for my bedroom quarters, and I really love living in this tiny space things." +"Be a challenge, however, because there is not there isn't space for me to spread out." +I can't have a spinning wheel an actual life-size spinning wheel in here and I can't have like set up a painting easel. +"I was thinking the other day of how it would be really wonderful to if I could do a puzzle in my cabin, but there's just no place for me to do that." +I don't even have a space. +Case where I can put up a TV my my partner gave me a little video portable video watching device for Christmas this year. +So now I can watch some movies and stuff. +"But you know, otherwise I'm pretty remote here and I thought and space is limited." +And so I've been contemplating the idea of crafting in the small-scale knitting is very portable. +"So, Love love love that." +And I do I'm gone to continue exploring that but there's other forms of crafting that I would like to explore that might not be as portable such things as hand-stitching Stitch sewing for instance. +I don't even have a space that I could set up my sewing machine and then there's embroidery cross stitching. +I want to continue to explore crocheting. +I've been wondering if there isn't space for me to do diamond art it would require. +Why are a lot of effort to put it out and then put it back? +"But you know, I just want to start exploring these ideas of how we can do that." +"Oh, I forgot and also things like hand-lettering calligraphy Artful drawing like things like mandalas, even though I'm horrible at drawing." +I would really like to start exploring that a bit more and you know journaling being thoughtful about my creative outlets and Endeavors so those and I'd love to hear from you as well. +So if you have any suggestions for things that I might try feel free to email me at the moment. +We just have the one email for my Vlog which is Anders Milne it at gmail.com. +So that's Anders Mill knits at gmail.com and feel free to contact me. +There or on Instagram as AKA Millie 9:07 or on Ravelry is AKA Millie speaking of Ravelry. +We actually have quite a few places on Ravelry that you can get in contact with me. +You can get in contact with me personally added me as a friend or emailing me or private messaging whatever they call it. +"But we also have the anders Milne it's Group, which is not very active." +I'd love to see it more active. +"But at the same time since I have such limited access to the internet, it is rather challenging for me." +And then we have a group that we started that is separate from that which is called the 24 days of cheer. +We started that one because for the third year running we have my friend and I have put together the swap of 24 days of cheering which you search Your stash to make minis for each day of the month and then you can choose whether or not you'd like to receive a big scan on the 25th day or not. +And we have international and domestic and all of that and it got to be such a big thing that we decided to open its own group. +And at the same time we thought to ourselves. +"Well, there's a lot of other things other knit along that we'd like to include in that theme and so that you'll find a lot more activity going on on the 24 days of cheer and we'll talk a little bit more about that in a minute." +"So you can message me on Ravelry through any of the three of those means the two groups, which are again Anders Milne." +It's and 24 days of cheer or private message me at AKA Millie. +All right. +I thought I would maybe tell you a little bit about myself and feel free again to message me if you have any questions about me. +I am literally an open book. +I have no fear of Of recrimination or judgment from those outside and I'm not one to be a curmudgeon about my privacy if you will. +I'm a sharer and I love that about myself. +I embrace that about myself and I love the fact that when people get to know me or they meet me they know that What they see and hear is what they get. +I have no artifice and no intent to harm others and I hope and I pray that that comes across to all of those that I meet. +So feel free to message me and ask me anything you'd like to know about me. +Well a little bit about me that I was actually born and raised here in Alaska and I left for a few years to further my education. +I received a masters. +"Of clinical counseling from George Fox University and while I was gone, I married and divorced a man from that area and then I moved back home and because I longed to be home and to bring to help the people in my community." +So I came back home and I took about a year. +This was right after my divorce like within a few days of me getting The final divorce papers from the court I moved home and I took about a year to thoughtfully. +Research and investigate. +I guess you could say the different agencies that were available to me or still are available here in Alaska for me to align myself with to be a clinical counselor. +And I ended up choosing to come down to this small town called Kenai. +It's a beautiful place on the Kenai Peninsula and we're right on the bay or ocean if you will. +And it's it's a pretty conservative place and at the same time it's a very welcoming place and I came down and I have our I've known about Keen I have visited it. +"I've camped down here my whole life, but I've never really spent a true amount of time down here and when I came down for my interview for the place that I'm now working." +I just it felt right. +"And so when they offered me the job, I willingly accepted and uprooted my life yet again and moved down to Kenai." +Now. +I have been blessed with a large family who is very loving and supportive and caring and so you'll hear me mention my family quite a few times throughout because they are also very creative and in numerous ways. +So I am now separated from my family. +"Yet again, but this time even more remotely than before because before even before I came back home when I live down in the states in Oregon, I might had a brother that lived there and so I had a built-in support network there and now and then I came home to Alaska to Anchorage." +"And of course, I had all of my my family and friends that I grew up with a new people that I was meeting through my networking." +Young and things like that that I was doing and then I decided to end so I had all that but then I decided to uproot my life and come down to Kenai and here I am for the first time in my life without a true like blood connection. +"If you will support network, I've recently discovered that a few of the people that I knew during my 20s have moved down to the peninsula and So I am excited to reconnect with them." +I actually visited with them a little bit this last weekend. +And so I while I thought for the last couple months that I might be pretty alone down here. +I'm I find that I am not and at the same time and never really felt. +Okay. +Yes. +"I did feel a little lonely, but I never have truly felt alone here in Kenai because the people are so welcoming and embracing." +And for that I am very grateful especially because I also had to leave my boyfriend back in Anchorage. +"And so we are now doing a long-term long not dong term, but well, yeah Wonderman but a long-distance relationship and so I find myself traveling to and from Anchorage as often as I can on the weekends to see him and my family and my beloved does come down here as Didn't as he can as well, I don't know how much I will share about Jeremy or MJ because you know, he's not on the podcast, you know, he has very different interest but he is a large part of my life and he I just felt so blessed to have him come in to my life because you know, I don't know about the rest of you, but I imagine that many of you if not all who have gone through." +A divorced wonder if they will ever find love again. +"and you know, I wondered that and I was so sad at the idea of being alone in a sea of people who had partners and children and their life seems so full and I knew that I could make my life full and other ways and yet at the same time, that's one of the ways that I truly wanted to build my life and build my future was with someone by my side and About seven months after our eight months." +"I think after my divorce, I was blessed to to meet Jeremy and fell desperately in love with a very very good man and that above anything feels like a miracle, you know." +So anyway now I'm getting all gushy on you so So that's a little bit about me and where I'm currently at and how I got to where I'm currently at and now I've just realized that before I talked a bit about the podcast but I didn't tell you the segments that are going to be in the podcast because I'd like to move on to the segments. +So so far. +This is what I've come up with for little cabinets. +What we just experienced was is what I am going to be calling. +Let's have a Cuppa. +So sitting down On having a cup of tea having a little chat getting to know each other catching up those kinds of things what's going on in my world then on the cork board will be I will let you know about things which are currently going on with our group and anybody else that I come to know about any information that I can pass on as upcoming as well. +Then I have on the shelf for finished objects. +"Then the idea behind that being You know, you're my little cabin put it on the Shelf." +It's all done done and dusted I could have got I guess I could have called it done and dusted good and I have it then I have on the couch for Works in progress because I the one piece of furniture that I have for sitting on is a little futon and so that's my one couch and that's where I find myself doing all my knitting at least right now in the wintertime. +I'm already daydreaming about knitting outside and a camp chair with my dog running around the grounds. +"So So on the couch where Works in progress and then finally a time for Higa, I I embrace the idea of Higa which I can explain at a later date for you if you'd like and I have been trying to live my life more in that fashion again, it aligns very well with my word for 2020 which is in tension." +"So I will be sharing with you ways in which I am exploring Higa embracing Higa and living Higa in my in my daily life down here or events that reminisce or koe, no coalesce." +"No, that's not the word either coincide." +Maybe with the idea of Higa. +"Okay, let us move onto the cork board." +So as I mentioned earlier we have some Cited things happening in the group of 24 days of cheer and though these are knit alongs crochet alongs and they so in short KAAL SRC ALS. +"We have the 12 gift knit socks, which is being hosted by Stephanie of The Rusted Stitch or hot pink socks on Etsy." +"Oh, sorry at Sea and Instagram and Ravelry the idea behind the to the 12 gift knit." +Socks is that instead of waiting until the fall too late to Holiday time to start working on gifts for our loved ones. +We start in January with the intention of knitting one gift for them each month. +Now this particular hashtag of 12 gift knit socks is around the idea of knitting a pair of socks each month. +And these can be gifted or kept for yourself. +"Currently, I think maybe the pair that I'm going to discuss with you." +Then I am working on are probably going to be for myself. +"But you know, maybe I'll be generous enough to give it and each month." +"We will be for highlighting a specific designer and there will be incentives to use their patterns or use yarn from their shops and if they have shops, and so this Month Let's see." +We are January Spotlight designer is called Sarah Stevens. +She is the dire behind Graceland wolves or Graceland Yarns. +Maybe this is the name of it and she has many very cute designs and she is very personable and very go outgoing and so we are pleased that she is with us and she she is offering up some goodies at the end of this month. +"And if you'd like to know more about that, you can go over to the 24 days of cheer group and check out our threads around that in addition." +We have 2020 is the year of sweaters. +So we're hosting a cal for that as well. +All sweaters are welcome half-finished barely started or ones that are just a twinkle in your I so personally I have quite a few sweaters on the needles and since I have so many on the needles I decided that next month. +I will provide the the details about each of those sweaters and that will be the focus of my next podcast. +On the Shelf. +"Well, I have at least three finished objects that I would like to highlight today." +The first one are my tinsel mitts by Andrea Maori. +I knit these out of chickadee Fiber Arts DK weight in their Pell arose Finch colorway. +It's a beautiful soft colorway that is pink that Fades into gray and variegated. +Yet the variegation is so gentle and its progression. +It just it's it's a lovely blend and chickadee Fiber Arts. +They their focus around there. +They are inspired. +That's the word. +I'm going to use by the birds of the world for each of their color raised and I have a few of their skins that I plan on using for a future project. +"Project for my beloved MJ and so I'm excited to continue using them I use their DK weight, which was very soft." +And there's so much a joy to have between my fingers as I knit up these mittens. +I knit the medium-size mittens and according to Andrew Maori. +And at first I thought I was going to do the good go the convertible mitts. +So what I did was assign it according to her pattern for the Anger lists portion of the of the Mitten and then I went back and I cast on and seemed in the convertible part. +"However, once I had that done I discovered that the when I had the top portion over my fingers to keep them warm over the tips of my fingers." +I found that it was too short and that I felt really uncomfortable with That and so I got to thinking when I so that was the first Mitten so I just cast on the second Mitten and I'm going along I knit the cuff and I'm doing the thumb gussets gusset and I'm thinking to myself what am I going to do about this? +"Do I want to continue and just knit fingerless mitts, or do I want to rip out the convertible part on the First Mid and reknit that or do I want to do mittens all the way and the gorgeous thing about this pattern that I got from Andrew Maori is that she gives you that option you can do any of those three and so what I decided with on the second Mitten was that I wanted a full full full fledged Mitten if you will, so I went ahead and I knit all the way up and when it came for the if you will Crown the creases or Finger decreases." +I got a little concerned because of the shortness of the convertible portion that I had knit and I knit 2 pattern I followed it directly. +And so what I did was is I added in an extra row between the decreases for the crown turns out I didn't need to do that the mitten. +To be perfectly long without it. +"In fact, it's a little over long now." +"However, I am okay with that if in the future I want to I can rip that back and I finished off the thumb closing that off as well and that fit me perfectly." +"Then I went back to the first Mitten that I hadn't it and I detached the and unraveled the convertible top portion of that Mitten and I unraveled the being for the main fingerless mitts and I joined back in my yarn and knit up the same amount of rows as I did on my first Mitten and follow that all the way through the crown and then I stopped and said, I was finished what that means is that I have one thumb that is topless if you will." +"if I may be so risque to say and the other thumb is enclosed and I could have Chloe ripped backing and finished off the first thumb but what I thought was is that wouldn't it be nice if I could have my one thumb free to do to manage, you know things that you need that that are what do they call it touchable, I guess using my phone and my my My touch screen in my car and things like that and not having to take off my Mitten each time." +I wanted to do that. +"So I thought well, this is an interesting idea." +"So I just left it and you know, it has come in quite handy that thumb does tend to get pretty cold because right now it at night it gets down to at least -20 if not more and during the day we are lucky if it is reaching zero, we're actually having A heat wave today because it is forecasted to get to a whopping eight degrees actually tomorrow and the next day." +I think we're going to get up to 19. +It's going to be great. +I might even finally be able to go out for a walk with my dog. +So those are the tensile Mets. +I've been wearing them non-stop since I finished them and I did block them overnight and the way that I blocked them was just to soak them and lay them out. +I didn't pin them out or anything. +I just laid them out in front of my furniture. +- and just allowed that warm air to fluff up the fibers once again and revive the yarn and so I have been wearing those nonstop since that time as is needed at this time of the year up here in Alaska. +The second object that I have finished is a pair of fingerless mittens for my fella MJ. +I did not use a pattern for this because I guess I just didn't want to I just had an idea in my head of what I wanted and I went with it. +I use the same yarn that I knit him some socks for Christmas with I had thought when I bought the yarn that Feet being so large. +"He wears a size 13 and a half that I would need to skein, 's of this yarn which is online sock yarn." +One of my favorite socks sock yarn to use and it turns so I bought two scans and it turns out that I used maybe half of the yarn on in each skein to knit his his socks possibly. +That could be because the yarn is Sport weight to DK. +I think it leans more towards sport weight even though it is sold as a DK weight yarn. +And because of that somehow or other it just seemed to the socks just seem to magically fly off my fingers and the yarn never seemed to De plena. +Shhhh. +So I and he loved the socks on Christmas morning. +So I decided I wouldn't hit him a pair of fingerless mitts so that he too might be able to have the warmth but also have access to his finger Nimble fingers for whatever he May need so I cast on I do believe I cast on 56 stitches or yes. +"I think it was fifty six stitches and I did a two by two rib for about three and a half inches then switch to stocking net and did my thumb increases and then once I was done with the thumb increases, I knit the palm and all this time." +I'm guessing mind you because Jeremy is not with me and he didn't even know at the The time that I was knitting these for him and so I'm guessing so one of the things that I guessed about is that his palm probably went about took up about the length of like 3/4 of my finger with from from my thumb. +So that's what I did and then I switched yet again to two by two rib. +"No, I I apologize." +I was doing one by one rib for the cuffs and for this portion. +"And I switch to one by one rib, because I wanted the fingerless mitts to reach out past the tips of his fingers so that if he was cold, they could be down there and covering his fingers." +But then if he needed to work on something he could fold the top portion back and have access to his fingers if that if you will and so that's what I did and I guesstimated I was a tad bit off. +"Off because it looks it turns out that if I needed to knit, maybe three more rows and length and it would have been a perfect length as it is just the very tips of his fingers stick out of the fingerless mitts and then I went back and I picked up the thumbs and I did the same thing that I did for the main portion of the Mitten." +"I knit for just a little bit and then I switched to ribbing and knit for an extra long while so yet again, he could fold those." +Back or keep them up so that his fingers could be warm or accessible. +He absolutely loves them and I do have a picture of them. +I don't even think I've put it up on Instagram. +Oh my goodness. +I am falling behind but I will be posting those pictures that picture on Instagram. +He does really enjoy them. +He is he does notice that it is still a bit too cold to be wearing right now in the negative. +"Of temperatures, but he is looking quite forward to wearing them." +Once we reach the teens in the temperatures. +And so that went off with a big hitch the song of the not the song the yarn I used again is online sock yarn. +I use the color wave four three eight eight seven and that is a striping kind of fair. +I lie colorway that Goes that incorporates blue brown and gray both the darker gray and a lighter gray and ended up beautifully. +I used a size u.s. To for the ribbing and a US size 3 for the main portion of the Mets in essence. +What I did was repeat the process that I used for his socks on his hands. +So there you are. +And finally the last thing that I have finished recently is a pair of self-striping socks for myself. +I cannot find the ball band for this. +"However, I do know that the yarn is Earth Yarns in the ungh ich fingering weight and that it is a Superwash wool, which I have Forsworn Superwash wool as of now, so I will not be buying any more but you know if I have it in my stash I may use it." +The colorway is a beautiful goal. +Old brown and varying color varying degrees of shades of those two just striping throughout the sock. +I did use my Tiago size double zeros on this and but I didn't account for that in how many stitches I cast on I only cast on 60 stitches this then made it difficult once I was finished with the first sock. +I Why's the error of my ways as I could I well I could but I struggled to get the sock over my heel. +It was just enough that I knew that I couldn't give these socks to my siblings because I have the thinnest feet. +"I believe of all of us and Ankle has and so I decided I was going to keep these because I thought I'll you know, I can I can work with this and maybe when Block it or soak it and then leave it to block." +It will loosen up a bit which I was right. +So I went ahead and just said c'est la vie and I will knit the same saw the second sock the same way if in the end I thought if I can't wear these then I will find somebody with an even smaller heel and Ankle than myself and give them to give the Sox away to them. +I was pleasantly surprised that I could comfortably wear these. +"When they were all done, I am a size 8 and 1/2 in feet." +And so I knit for that. +I am not one of those people that counts how many rows around Zayn it for the leg and then for the foot of the sock before I do the toe instead. +I just measure I use the if I'm measuring if I'm using the heel flap method then I measure from the flap forward. +If I use the fish lips kiss heel method which I did for these socks. +I measure from where the seam starts on the main portion of my sock - and from there I measure out how many inches I feel is necessary before I start the toe for myself and my sisters including my mother. +I do knit six two six and a quarter inches and then I start my toe. +I decrease one round in it two rounds decrease the next round and knit two. +Rounds until I'm down to about 12 or 14 stitches total and use the Kitchener Stitch to bind off. +So that's about my recipe I use for my leg. +I usually go about six inches for the cuff. +I maybe do it all depends on how I'm feeling. +"I might do the the ribbing for the entire cuff, but most of the time I just do the ribbing for about an inch and a half or so before I get switched to stocking net." +So those are my finished objects on Shelf on the couch today. +I thought I would just go ahead and go through my project bags with you. +"The first thing that I have here is a shawl kit that I got from Jimmy beans wool for the month of December, but that I knew I could not knit during that time as I had too many commitments and so it's their 24 days kit." +"And so I have all the accoutrements that I need all the Rules and everything is included in the kit including Stitch markers scissors and in and the yarn, of course so each day." +I am able if I finish the other day to pull out to the next day's skein of yarn that will be incorporated into the shawl and it away it is a lace shawl. +One of the the first Yarns and I do believe it's going to be the main yarn that I used. +I use let me open up here so I can tell you there is the fiber Speights cumulus yarn. +It's a heavy lace yarn that is part alpaca Parts elk and all cozy and this is very much reminiscent of mohair though. +"They're not claiming that it is a mohair yarn the other Learned that this project uses at this point, which I do believe it's only going to be these two colors." +"I'm not sure otherwise, I don't think I remember recall there being any other yarn but I will find out as the month goes on yarn to is an amazingly squishy spun right round Merino single." +It's a single ply which features beautiful unique colors all died by hand. +That's their description. +"My description is yes, it is very beautiful." +And there are Aquas and blips of brown and rust and yellow and pink and white in there. +And that portion is being used for a lace chart. +"The other the fiber Speights alpaca lace yarn is a gray Steely with a tiny bit of blue overtone to it and I Um, I haven't been very mmm." +What's the word? +I want to use gung-ho about this once I got into the lace portion. +It could be that my brain space at the moment is not allowing for me following along with a lace chart pattern. +I'm not really sure about that. +I'm going to give it another good try this week because I don't know about the finished object. +Don't know what they look like. +I'm not actually going over to the website of Jimmy beans wool to find out what that looks like and maybe that is my problem. +Maybe I should go and find out what the finished object is. +I know it's a shawl. +I know it has lace. +I know it's got color blocking and that's about it. +"So maybe I should go and take a look too just to make sure that this is something that I desire to have I am I was enjoying it when I is just knitting the Garter Stitch with the the lace alpaca, but you know, we shall see nothing against the the spun right round yarn at all." +It's just my brain was just not in the mode for lace knitting. +"As for the rest, they are all socks." +So I might just speed through these one of them. +I have spoken of in my Vlog on under smell knits and that is a pair of socks of my own design that I have been knitting since July for my sister Amy again. +We are the same size pretty much or we can fit the same size socks. +And so I went ahead and cast on my Happy for everybody. +All the women in my family 66 is around using US size 0 Thiago needles and I did do my show this time. +"I did a two by two ribbing for an inch or so before I cast on with the main color way, which is another of Earth Yarns and I don't have the colorway with name with me." +"However, I will Drive it to you." +It is a gradient self-striping. +It's not something that I am very keen on at this point at the at first I was pretty excited about it. +And I'm just like but my sister Amy assures me that she absolutely loves the colors. +And so I knit. +"This is a ghost from a golden e no, no a canary yellow with a sky blue alternating stripe." +Which then greedy eights down the blue turns into a gray and the yellow just softens up and softens up until it turns into a lavender and then it reverses back on itself going from that light to dark for the for the yarn. +So the first sock goes from canary yellow down to a very slight yellow with gray stripe then and I'm knitting these toe up then the second sock starts out. +Out with the blue going up through the yellow and the yellow turns into white and the blue is getting darker. +"Oh wait, I apologize." +The blue is now turning into the lavender and now I have a pure white for the yellow portion. +And so I am knitting these again on US size 0 Thiago needles and I each time the Stripe changes colors. +I knit a garter Ridge or a Purl Purl bump if you will. +To delineate between the two the changing of the guards or the changing of the color stripe and that is the portion that I do not like I think it looks a little clunky but my sister shows me that she likes it. +And so I am going with it other people have also assured me that they think it's pretty cool. +It's just not my style. +"But at the same time, I'm grateful that my sister likes it name is just an experimentation on my part." +And so I'm grateful that I was able to just play around. +"And you know discover some more things that you know are not my style but it's just really fun to just try and different things, you know instead of just the same old stocking that sock and I apologize if you just heard my dog kind of cough there he's sitting beside me the next pair of socks that I am knitting is two at a time." +"It was for my mother and these were cast on the day before her birthday, which is December 28, and these are for her birthday, but I did get her another birthday present because I knew I wasn't going to get it done." +But my mother does love my socks that I knit for her as do all of my siblings. +And so I do like to try and accommodate that and since I'm always having Socks On The Go might as well be knitting for those that I love. +So this is a sport weight. +Happy Feet yarn that my mother picked out this last year and liking it. +And it is a dark blue base with I wouldn't call them Speckles. +"I think it's more of a variegated yarn, but it's short variegation and we've got some hunter green some Maroon purply bits and of course the blue which kind of Fades in and out of the more Navy to light blue and it is very handsome." +So I am on the legs of the sock on this and since I am knitting NG at a sport way I am using size. +"Let me see if I can read this needle here sighs u.s. To I am doing magic loop as I'm doing two at a time and I have cast on 56 stitches yet again for these and these are just coming along quite well, so I'm quite pleased with that." +The yarn is very plump and my mother loves the color way lastly. +and for the theme of this month I have cast on the noise here I have cast on the oh my I do not know. +Let me find it on my phone here folks. +It's loading. +I am doing the little bird nif. +Sorry the little bird Socks by Sarah Stevens and these are a cuff down sock. +"I do love cuff down socks and these are also anklets and I have not knit anklets before and I thought you know, what would like to give that a try?" +So that's what we are doing. +I am knitting these out of mom dim sock yarn. +The colorway is 2:07. +It is the makeup of this is me see here 100% purchased Portuguese wool. +It's got three hundred and eighty five meters or three 421 yards and I've knit socks out of these. +"In fact, my sister's birthday socks was knit out of this yarn to and it's very sturdy and lovely and I have no worries that it doesn't have any polymide or nylon in it." +I do think that it's sturdy enough that it it does not need that and I am knitting these on a size zero knit Pros. +I do believe they are and the colorway is a natural Wool with true Speckles this time not variegation of hot pink teal. +No seafoam blue brown. +That kind of has a Moroni overtone to it. +They are quite stunning. +I am loving this pattern. +I the the written directions on the pattern are a tiny bit clunky. +I do believe it's more the fault of the font not the way that she has written it. +It's I'm just finding the font a little it's the font is just too thin for me to read that makes any sense. +So I have knit the ankle portion of this and I am onto the heel flap. +I intend to knit the heel flap tonight and just keep plugging away at these and these ones are the ones that I am not sure they might be for me or they might be for somebody else. +It all depends on how I feel when we are done. +So that is on the couch. +a time for Higa this last week. +I had many opportunities for Higa and I'll start with a wonderful evening. +I spent with my beloved and my a pair of friends that I have down here in Kenai. +We had a scrumptious Meal made by my friends partner and he made it vegetarian to honor my partner my beloved because he is a vegetarian And then we and it was just wonderfully delicious there was avocados and quinoa and beans and red flakes and tomatoes and it was just delicious. +It was lovely afterwards. +We played some games and we just sat for hours around their kitchen table laughing sharing stories and antidotes what one point one of the games were playing. +Required us to only speak in a accent and so all of us are horrible at accents accept my beloved. +He's very good at them. +I think and so my friends partner he did he refuse to even speak at that point. +"So he kept on getting penalized for that during the game, but we were just laughing so hard and it was so enjoyable to come closer together on a freezing cold night and just have Earth's around us then yesterday." +I had gone to Anchorage on Friday night in my beloved and I were able to spend a evening together just cuddling and talking. +"Honestly, we were kind of gushing about just how much we loved each other and thinking about our future and those things and on Saturday." +I was able to join my family and much of my longtime. +Time friends and acquaintances as we bid farewell to my mother's best friend at her funeral and it was a beautiful funeral her children are so dear to me. +We all grew up together and it was heartwarming heart touching and just so and one instance it was sad and in the next instance it was uplifting and hopeful if you will. +"after the services, I guess you will we all hung around and reminisced about my mom's friend and I met up with a bunch of people that I haven't seen in many a year and that's when I discovered that I had a few acquaintances or old friends that actually have moved to Kenai and so we've made plans to meet up and I'm really excited about that then after that my beloved and I I had a lunch together and then we went over and met up with my family for a get-together and my nieces." +"Oh, I had Port purchased a new puzzle for us to work on with my nieces and so my nieces and I set to with that and it was so enjoyable." +We spent hours poring over this puzzle and I just love the quality time that I spend with. +My niece's as we work on different crafting. +"Checks, and I don't know if these are crafting projects if well, we do crafts together." +My niece's are all very crafty painting knitting designing making toys like they're just amazing. +But I really enjoy the time that we spend pouring over puzzles. +It's a team-building thing. +It's a brainteaser. +It's it's exciting when the way we cheer each other on when we make a peaceful. +"It's in the puzzle, you know, and it's just really wonderful and my fella was able to join in there." +"He just really enjoyed pouring over the different pieces and saying oh, well, here's a peach one." +Here's an edge piece. +Here's a polka-dotted one and just handing us the different things that we might need. +"It was just really fun straight from that my fella and I raced over to his friends house longtime friends house for his birthday party and which We spent another four hours enjoying Higa eating pizza delicious pizza laughing playing games just being silly and again reminiscing and sharing stories and yet again, this is all during a time where outside the temperatures have dipped below zero." +Everyone is cold. +But yet you feel so warm inside surrounded not only by the warmth of the home. +"I itself but of the love and laughter that is around you and that's Higa to be warm inside with you know, and it's stay in the the camaraderie and the friendship and the love staves off the freezing cold that may be happening outside your windows and doors." +That's Higa connecting and just building memories. +That's one way. +"a of honoring yourself and honoring Higa Well, that's our show for today folks." +I am so grateful that you were able to join me for my very first episode. +I can't wait to continue exploring these ideas that I've presented to you. +And if you remember next episode is going to be focused on the many many sweaters that I currently have on the needles for the year of sweaters 2020 and I will continue to explore the Idea of intention with you at that time and ongoing throughout the year and I will share my goals with you about that. +"And as I say on Anders Milne, it's everytime." +I close out a show remember to knit what you love and love what you knit. +Take care now until next time. diff --git a/requirements.txt b/requirements.txt new file mode 100644 index 0000000..8508c85 --- /dev/null +++ b/requirements.txt @@ -0,0 +1,5 @@ +gensim +jupyter +nltk +pandas +scikit-learn \ No newline at end of file