From 180a4a00d99d2c55ae20d757a7d1f6faf76f47a2 Mon Sep 17 00:00:00 2001 From: Martin Forsberg <marfo203@student.liu.se> Date: Mon, 20 Jan 2025 01:28:46 +0000 Subject: [PATCH] Update 2 files - /main.ipynb - /requirements.txt --- main.ipynb | 835 +++++++++++++++++++++++++++++++++++++++++++++++ requirements.txt | 190 +++++++++++ 2 files changed, 1025 insertions(+) create mode 100644 main.ipynb create mode 100644 requirements.txt diff --git a/main.ipynb b/main.ipynb new file mode 100644 index 0000000..226342e --- /dev/null +++ b/main.ipynb @@ -0,0 +1,835 @@ +{ + "cells": [ + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "import pandas as pd\n", + "file_path = './cases.csv'\n", + "\n", + "data = pd.read_csv(file_path)\n", + "\n", + "#preview the csv file\n", + "data.head()" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "outcome_counts = data['case_outcome'].value_counts()\n", + "\n", + "print(outcome_counts/sum(outcome_counts))" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "We can see that we have a lot of cited documents making up about 50% of total cases. We scramble the data to make sure the case outcomes are evenly distributed." + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "# Scramble data\n", + "data = data.sample(frac=1)\n", + "data.head()" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "# General RAG implementation\n", + "We implement RAG as explained in https://python.langchain.com/docs/tutorials/rag/" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "Environment variables for langsmith and openai" + ] + }, + { + "cell_type": "code", + "execution_count": 178, + "metadata": {}, + "outputs": [], + "source": [ + "import os\n", + "# Add your API keys\n", + "os.environ[\"LANGSMITH_TRACING\"] = \n", + "os.environ[\"LANGSMITH_API_KEY\"] = \n", + "os.environ[\"OPENAI_API_KEY\"] = " + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "Choice of llm and embeddings model" + ] + }, + { + "cell_type": "code", + "execution_count": 179, + "metadata": {}, + "outputs": [], + "source": [ + "\n", + "from langchain_openai import OpenAIEmbeddings\n", + "from langchain_openai import ChatOpenAI\n", + "from langchain_huggingface.embeddings import HuggingFaceEmbeddings\n", + "\n", + "\n", + "llm = ChatOpenAI(model=\"gpt-4o-mini\")\n", + "embeddings = HuggingFaceEmbeddings(model_name=\"sentence-transformers/all-mpnet-base-v2\")" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "Initialize vector store as chromaDB" + ] + }, + { + "cell_type": "code", + "execution_count": 180, + "metadata": {}, + "outputs": [], + "source": [ + "from langchain_chroma import Chroma\n", + "\n", + "vector_store = Chroma(embedding_function=embeddings)" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "# Indexing Pipeline\n" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "Use of standard 1000 chunks, 200 chunk overlap, and 1000 documents total for this paper" + ] + }, + { + "cell_type": "code", + "execution_count": 456, + "metadata": {}, + "outputs": [], + "source": [ + "from langchain_text_splitters import RecursiveCharacterTextSplitter\n", + "\n", + "def loadedData2split(loaded_data, chunks=1000, chunk_overlap=2, n_docs=100):\n", + "\n", + " docs = loaded_data.load_and_split()\n", + " text_splitter = RecursiveCharacterTextSplitter(chunk_size=chunks, chunk_overlap=chunk_overlap)\n", + " split_docs = text_splitter.split_documents(docs[0:n_docs])\n", + "\n", + " return split_docs" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "Use CSVLoader from lang chain to handel CVS data. The data is split to prepare it for DB" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "import csv\n", + "from langchain_community.document_loaders.csv_loader import CSVLoader\n", + "\n", + "\n", + "csv.field_size_limit(10**7)\n", + "file_path = 'cases.csv'\n", + "loader = CSVLoader(file_path=file_path)\n", + "print(\"h2\")\n", + "split_docs = loadedData2split(loader)\n", + "\n" + ] + }, + { + "cell_type": "code", + "execution_count": 189, + "metadata": {}, + "outputs": [], + "source": [ + "_ = vector_store.add_documents(documents=split_docs)" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "Standard Prompt for RAG" + ] + }, + { + "cell_type": "code", + "execution_count": 191, + "metadata": {}, + "outputs": [], + "source": [ + "from langchain import hub\n", + "prompt = hub.pull(\"rlm/rag-prompt\")" + ] + }, + { + "cell_type": "code", + "execution_count": 192, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "input_variables=['context', 'question'] input_types={} partial_variables={} metadata={'lc_hub_owner': 'rlm', 'lc_hub_repo': 'rag-prompt', 'lc_hub_commit_hash': '50442af133e61576e74536c6556cefe1fac147cad032f4377b60c436e6cdcb6e'} messages=[HumanMessagePromptTemplate(prompt=PromptTemplate(input_variables=['context', 'question'], input_types={}, partial_variables={}, template=\"You are an assistant for question-answering tasks. Use the following pieces of retrieved context to answer the question. If you don't know the answer, just say that you don't know. Use three sentences maximum and keep the answer concise.\\nQuestion: {question} \\nContext: {context} \\nAnswer:\"), additional_kwargs={})]\n" + ] + } + ], + "source": [ + "print(prompt)" + ] + }, + { + "cell_type": "code", + "execution_count": 193, + "metadata": {}, + "outputs": [], + "source": [ + "from typing_extensions import List, TypedDict\n", + "from langchain_core.documents import Document\n", + "\n", + "class State(TypedDict):\n", + " question: str\n", + " context: List[Document]\n", + " answer: str" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "Retrieve function for database" + ] + }, + { + "cell_type": "code", + "execution_count": 194, + "metadata": {}, + "outputs": [], + "source": [ + "def retrieve(state: State):\n", + " retrieved_docs = vector_store.similarity_search(state[\"question\"])\n", + " return {\"context\": retrieved_docs}" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "Generate an LLM answer using the retrieved documents" + ] + }, + { + "cell_type": "code", + "execution_count": 195, + "metadata": {}, + "outputs": [], + "source": [ + "def generate(state: State):\n", + " docs_content = \"\\n\\n\".join(doc.page_content for doc in state[\"context\"])\n", + " messages = prompt.invoke({\"question\": state[\"question\"], \"context\": docs_content})\n", + " response = llm.invoke(messages)\n", + " return {\"answer\": response.content}" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "Using langGraph to start the pipeline" + ] + }, + { + "cell_type": "code", + "execution_count": 196, + "metadata": {}, + "outputs": [], + "source": [ + "from langgraph.graph import START, StateGraph\n", + "\n", + "graph_builder = StateGraph(State).add_sequence([retrieve, generate])\n", + "graph_builder.add_edge(START, \"retrieve\")\n", + "graph = graph_builder.compile()" + ] + }, + { + "cell_type": "code", + "execution_count": 197, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "Examples of cited cases include Case19442 and Case20083.\n" + ] + } + ], + "source": [ + "response = graph.invoke({\"question\": \"Give me examples of a cited case \"})\n", + "print(response[\"answer\"])" + ] + }, + { + "cell_type": "code", + "execution_count": 24, + "metadata": {}, + "outputs": [ + { + "data": { + "image/png": "iVBORw0KGgoAAAANSUhEUgAAAGsAAADqCAIAAAAqMSwmAAAAAXNSR0IArs4c6QAAGdtJREFUeJztnXdAFFf+wN/2vktZ6i69N7Gg0YiCig1UJBYsmERjcl5IrpjfpXqniRfPM43LmWju1BTBxJIYgx1jRWzEBiJSRBFYYHuvs/v7Yz00cXdml9l1B5zPX7rz3ux3P0x5896b9yXYbDaAgwKirwMY8OAG0YIbRAtuEC24QbTgBtFCRllfLTMrpWadGtKpIIvZZrUOgLYRiQzIZCKTS2JyyP6hFCYblQRC/9qDUpGx9bq2rU5LZRKAjcDkkJhcEoNFtkIDwCCZQtCoLDoVpFNbjHorhUqMzWDFZ7K5gZR+7M1tgxqFpaZSYgPAj0+JyWAFC+n9+FZMIWrT367TyntMbH/y0zP4VLp7Vzb3DF46KquvUT49k580guN+qFinrlpZs18yuiAwc5yf67XcMLhvU2f8MHbaaF5/IxwY/HJMJu02TSkJdbG8q0fs1r+2DZvoP+j1AQBG5AVEJbP2bep0tYLNBbasui3pMrhSctDQfFX93YftrpREPov3beocNtE/Monpgb/vgOLmBVXnbX3ewhD4YggGa6tkDDYpbczgP3kdUntMxmAh/Hy466BGYak7q3xi9QEAsvICTuwSw5eBM1hTKXl6Jt/TUQ0wxswIrKmUwBRwalAqMtoAGJTtPrcYMclf0mU0aC3OCjg12Hpd68fvz1NO/6ivrzcajb6qDg+LS75dr3O21anBtjptTAbLSzH9hsrKyueff16v1/ukOiKxGezbdRpnWx0bVMnMNCbxsT3z9vvwsTckvHf02YlJZ2nkFmfdTk4MSs1eGsK7e/fuihUrsrOz8/Pz161bZ7VaKysr169fDwDIy8vLysqqrKwEAPT09KxevTovL2/06NHFxcWHDx+2V1coFFlZWdu3b1+1alV2dvaLL77osLrHsZhtSonZ4SbHXWM6NcTkkLwRytq1a+/cufPaa69ptdra2loikTh27NiSkpLy8vKysjI2mx0ZGQkAsFgsN27cmDt3rp+f3/Hjx1etWhUREZGWlmbfydatW+fNm7d582YSiRQSEvJodY/D5JJ0Ksg/2MEmJwZVEJPrFYNdXV3JyclFRUUAgJKSEgBAQECAUCgEAKSnp/v53e8UEQgEu3fvJhAIAIDCwsK8vLyTJ0/2GczIyCgtLe3b56PVPQ6LS9aqHN+Ond5JKFSvDADk5+efP39+w4YNMpkMvmRTU9PKlSunTZtWVFQEQZBUKu3bNGrUKG/EBgOVTnT28OZYE51FVMudtoDQUFpaunLlyqNHj86aNWvXrl3Oil26dOm5554zmUyrV6/esGEDj8ezWq19WxkMhjdig0EpMTM5js9Xx58yOWSd2isGCQTCokWLCgsL161bt2HDhsTExKFDh9o3PfxH3rJli1AoLCsrI5PJLirz6vQVmBuD42OQ7U+iMbxyFttbHiwWa8WKFQCAxsbGPkFi8YMnUIVCkZiYaNdnMpl0Ot3Dx+BveLS6x2HxSBx/x88Xjo/BgBCauMOkEJv8gqieDeWNN95gs9mjR4+urq4GAKSkpAAAMjMzSSTShx9+OGvWLKPROGfOHHu7ZN++fTwer6KiQqVStba2OjvKHq3u2Zg7W/RWC3A2fkJas2aNww1quUWrtITFePiK09HRUV1dffjwYb1e/+qrr+bm5gIAuFxuSEhIVVXVmTNnVCrVjBkzMjMzb9++/d1339XW1k6ePLm4uPjIkSPJycmBgYHffPNNdnZ2ampq3z4fre7ZmK+dUoRE00OjHT9fOO0f7Lqtv3lBNQmpf/FJ4MBWUXYhn+ekl8DpYHN4LOPiYdm9Jl1EouPeaZVKNWvWLIebhEJhR0fHo5/n5OS8++67LkfeT5YvX97S0vLo5ykpKTdv3nz08/T09I0bNzrb282LKhqD6EwfQh917z3DiV3i4tciHG61Wq3d3d2Od0pwvFsGg+Hv7+/s6zyFWCw2mx08gTmLikql8vlOu0G3/rVt4esRzpoyyL38p/eKIxOZ0WmPqZMGa9w4r9SpoJFTAmDKIDRZxhcFnfpBrJI6fqge3HS16hsvqeH1AVdGO40GaPPrLZ4YQRxI6LXmL95sdaWkS+PFJiP0xVstGqUZdWADg94Ow9a/3bZYrK4UdnXWh14DfbuhfeqzIYL4QT5w3HJNXXtUvuAvrvaSuTfz6MTOXpXcPHYmny+g9TdC7NLZqj9XKQ2Joo0rCnK9ltuz39obdWcrJZHJzJAIekw6i0QmuB8qtjAZrLfrNd13DDKRaczMwLBo9x7D+jkDs/W6pumyuq1emzSCQ6ERWVwyi0eiM0kDYQorIBEJOrVFq7JoVZBGae5o0semsxOz2FHJ/Wm09dNgH+2NOnmvSauyaJWQ1WqzmDypEIKgurq6vu4vT0FjEu3dziwuKTCMivLKjtagV9FoNDNmzDh58qSvA4EDn8uPFtwgWrBu0N4Fi2WwbtBhfxSmwLpB7w0BewqsG1QoFL4OAQGsGwwPD/d1CAhg3WBXV5evQ0AA6wYzMjJ8HQICWDdYV1fn6xAQwLpB7IN1gzCjaBgB6wYlErg3EbAA1g0GBbnRXewTsG7QqzOyPALWDWIfrBuMj4/3dQgIYN2gwzlEmALrBrEP1g0+PNMSm2DdYENDg69DQADrBrEP1g3ifTNowftmBj9YN4iPdqIFH+0c/GDdID5ejBZ8vBgtCQkJvg4BAawbbG5u9nUICGDdIPbBusHQUFfXovQVWDfo7OVH7IB1g+np6b4OAQGsG6yvr/d1CAhg3SB+DKIFPwbREhHh+A177IDFN3JefPHFrq4uMplstVolEgmfzycSiWaz+eDBg74OzQFYPAYXL16sUqk6OztFIpHZbBaJRJ2dnSSSV1ZSQw8WDebm5v7mcdhms2F2wASLBgEAS5YsYTIfvDAYFha2YMECn0bkFIwanDBhQkxMTN81OjMzc8iQIb4OyjEYNQgAWLp0qb17lc/nY/YAxLTB3Nzc2NhY+5AxZi+CbuRp0mshaZfJZHS6hJ03mD3ld0b5zvzcpbfrtY/ze+kMIl9AczFZDnJ7ELLYjm7v6WjWRSSxTIbHatBnEIDoti4mnT2lBHnhNgSDRj30/b87R07lh0YP8kVSHqWtXt1Uqyx6RUAiwa3GgWDwm7/fnbQojBvo4XUcBwpdrbobNfJnXhHAlIE71etrlLFD2E+sPgBAeByTG0iBWVIewWBPu5HhfNW4JwQagyTuNMEUgDNoNlh5AU/uAWiHF0Q1aOHun3AG9ToIejLuvTBYLcBsgGAKYLdFPVDADaIFN4gW3CBacINowQ2iBTeIFtwgWnCDaMENogU3iBZfGoQgqK7uKnwZi8VS8mzRps1ljysot/GlwQ8+Wvtx2Tr4MgQCgcPh0umPKXtjP/Bi95/NZrMnnHOGCTZbpL06iUTa9NnXXojOY3jSoFKpmP1M3orf/bG55dbZsycTEpI/LdsCANj3055du8slkt7Q0PBJE6cVz19Co9HWb1hz4mQVAGDCpCwAwI6Kn8JCw5e+MD8mOi46Ou6Hvd8ZjYaNn365/KWFAICSxcteWPYyAMBgMGzZ+tnPxw+bTMYIYdT8+UsmTphys/HGy6XPvbbynRkFRfZIvvr6Pzu+/XL3zkM8np+ou+vzzz/+5fIFKpWWmJC8bNnLyUmefG/e88dgefnWwsJ5H3242T5X6Kuv/7N7T/kzRQuiomLv3buzc9c3HZ3tb7/5XsmiZeLeHpGo86033wMABAbcXx3q0qVzBqNh3d8/0el1AkHE2vc+fPe9N+2brFbrO6v+3N3dtXjRUj+/gKtXa9f+/W2DQZ8/vTAhPulo1YE+g1XHDubk5PF4flKp5NU/LBMIIl4p/T8CgXD06IE//mn5l9t2h4fBDX24hecNpqZmLH/hfkpIiURcsWPbqnfezxk/yf5JYGDQJ2X/eKX0/4TCSB7PTyaXZmT8asFuEpn813fW9SWoyx6b23cpOH3m+PW6K99WVPL5QQCAvEnT9Hrd9z98mz+9sKCgqOxf67u7RaGhYTduXO/q6njrjXcBANvLt/j7BXz0wSZ74rbJefklz86uqTk1d84iT/1ezxscPvxBSshffrlgsVjeX7fq/XWr7J/YhwYl4l4uh+uwekpKurP8fufPV1sslkUlD5JDQRDEYrEBAJMmTtv8Rdmxnw+VLF52tOpAbGx8enomAODChbO94p78GeP6qpjNZrkcIeGlW3jeIJ3+4PdLZRIAwLr3y4KDfjV0HR4udFadQXeaWEAulwYG8j/+cPPDH5LIZAAAm82eOGHqsZ8PFc9fcuJklf2iCQCQyaVjxox7afmrD1fh8Tz5tqN3h+I4/zvQIiOjHRZwawYth8NVKOQhIWE0moPcHgUFRQcP7dtevsViMedNmt5XRalUOPt2j+Dd9uCwYSMJBMLeH3f2ffJwrnA6nSGTSWHSSf6G4cNHQRD0U+Ueh3tLTUmPj0ssr9iWN2k6i8Xqq1Jff+1W002HVTyCdw0KBRHPFC2oqTn99qo/Hzy0b3v51pJnZzc1N9q3Zg4ZrlarPv5k3ZEj+2tqTiPubXJefnJy2uYv/vXpxg8OH6nc+NlHS1+YZzAY+goUFBTZbLaZMx9knXzu2Zc4HO5fXi8tr9h24OCPq9e8/v4/Vnn2N3p9QL305ZXBwSF79+68dOlcYCB/XPaEIP79VNSTJ+ffamo4WnXg3Pkz06bOfPrp8fC7olAoH/zzs/9u+ffx40f27/9BKIycNXOu/SZrJ2/S9DNnjifEJ/V9IggXbvx026Yvyip2bCMQCAkJyUWziz37A+Hmzez9vDN1TEB47ONOFowpWq+qJR26vMVOJ3HhfTNowQ2iBTeIFtwgWnCDaMENogU3iBbcIFpwg2jBDaIFN4gW3CBacINogTPI5VMAwNwqDI8ZAhGweHB9gHAGGUySpNMAU+BJoKddz/brr8HoVKZSDPc6z5OAVmmJTIbrIYUzGB7LCAyjnqvs9UJgA4OTu0QJQ1k8PtyLXcjvF18+LhfdMYbHMfkCOoX6RNx5THpI3GVouaIaluufOJwNX9ilFXvuNmqbftHoNZCs+/Ge1Dab0WRyOLbpVXiBFC6fkpHNDRYizxnD4ppHfeBZyJ8IcINowbpBLK+TYgfrBvHsGmjBs62hBc+2hhY8Pwla8PwkaMGvg2jBr4ODH6wbTEpKcqGUL8G6wVu3bvk6BASwbhD7YN0glt/qtIN1gw9P1ccmWDfI4/F8HQICWDeoVCp9HQICWDeIfbBuUCh0+g4jRsC6wY6ODl+HgADWDWIfrBvEs06iBc86OfjBukF8tBMt+Gjn4AfrBvFxErTg4yRo8ff393UICGDdoFwu93UICGDdIPbBukF81gda8FkfaElN9eRqi94A6wYbGhp8HQICWDeIH4NowY9BtKSlpfk6BASw+EZOaWmpTCajUCgQBLW2tsbGxpLJZAiCKioqfB2aA7CYji4nJ+ejjz6CoPsZupqamtxdLfNxgsWzeP78+REREb/5cNSoUU6K+xgsGgQAlJSUPPxCIpfLXbhwoU8jcgpGDc6ePVsgeLDodkJCwvjxCCtk+gqMGgQALFy40H4Y8ni8kpISX4fjFOwaLCoqsh+GcXFx48aNc6GGb/DwvVingiDIYzfN4jnPb926tXjO82q5xVP7JFMIDDbJU3vzQHuwp93QVq+Visxdt/VGHeQfQjNo4fKE+hwShaCRm+ksUngcI1hIjUlnBYaheoe+/wavVysaL2n0OhsrgMnmM8kUEpnmyb+t97DZbBYTZDFCGolWI9H5BVFSR3GSsjj921t/DDZfVZ/+QcLhM/2j/ChULLbJ3cKkN8vuys06c84cfmSy2+nq3TZ46OterQbwwnkU+oB39zAGtUkjVgWHk8cXBbpV0T2Duz7poHJYfgLHiTEGAdI7cirZPPPFMNeruGFw7yYRhc1i81n9DW9gIOtUctlQ3oIgF8u7anDf5i4Siz3o9dlRilQshjlvYbArhV1qUZ+tlNhItCdEHwCAF8aVS2zXzyhcKYxsUNxpbLmq8xN6Mq8M9gmK5587KNNrkNu2yAbP7JUERGN96oU3CE0IqN4nQSyGYLCjWWfQEzh8t1tJgwBeGEfUZpT3Iiw1hmDw6mkVa2Be/mRykUzehXInTD67rhrhpSoEg+0NGk7wwDMokXX845Oie51o5ztwgpitdVr4MnAG2xt13GAGkQiXe/NRNFqFTqdyq0o/gG+EWSGLR8ZVaEyKzUaAXzMQrj14qUp2t8XGj0a+C9deOfDz6a8Vyu7Q4DgCgejvF7qk+H0AgEze9dOhsqbWixQyTRCeND1vRYQgFQDwZcVfgvhRJBL5Qu2PFsickjj2mZmvM+j310qsufj9qbM7lKreAP/wYUOm5I4toVBoWq1i9fqpM6a+2ilqunHzlCA8uXT5FxcvV9Zc2CPqbqHRmEnxowsLVrJZ/jJ517qPi/piyxpWsOCZvwEATCbDoWObrlw/YjYbg/hRudmLh2ZMRvxp4lZpWhYtdbTTV0xJa9ascbat8ZLaZCYzeAidP/U3T5XvWpWROmHiuOfudTbcvXd9/uy3/XghKpXk0/8so5DpE8Y/mxj/VKfoVtXJbWkpORx2wNW6qtorB3jc4NkFKyMEKSdOfwNBlsT4pwAAR4//t+rE1lEjZj01opDNDjh9dodEei8jNddsNpysLm/vbEiMe2r65N8nJz7N4wbVXPyBTmNlDSsI5kfXXj0o6m4enjmVTKGFBMfUNZyYOvGlaZNeSk4Yw2LyrFbrlu1/utdxI2fsoqFDJlsspkPHNvF4IcJwhHUcdAojkwUE8U6XYoXrHdAoIDID+RXzmgt7QoJj5xW+BQCIEKau/WDGzVs1UREZVae2sVkBv1u6kUQiAwBGZE5fXzbnQu2+2QUrAQBBgZGL5r5LIBAihWnXG07cajk/A7yqVIl/Pv3V4rlrh6RPtO+cx+F/X/nPwvyV9v9GCdPzJ/++76vnznqzL6snkUT++dSXZrORQqEJw5IAAMFB0TFR95OC1jWcaLtz9e3XfuRxgwAAw4dMNZp01ed2PjVi1iM/6FeQKCSNwgxTAM4gmUog0pA7YBSqXn7g/cFJHjeISqHr9CoAQGNTjULZ8/ba3L6SEGRWqHrs/6ZQ6H0/PsAv7E77dQBAc+tFCLJU7PlbxZ6//a+SDQCgVPdy2XwAQELcyIe/2gKZq8/tvHztsFzZTaXQbTarRiv39wt9NMibt85CVsvDZ7fVCvVdN+Ak0Mk2G1wPOZwgyGyDjBYGQDiLA/0FHZ03zRYThUwVdbeYzAZBWCIAQK2RpiZlF0wpfbgwneYgaBKJYrVCAACVWgIAeKHkYz/er55JAwOEBoMGAEClPjibbDbbtvKV9zpvTpmwPCoio67h5Mnq7Tab4wyMao2Uy+GvWPrZwx8SicjHh9lgIdDgbkpwu2DxSEoV8mPNhHFLNn9Z+sW20oS4kb9cOxQhSM0aVgAAYDK4Wp0yOMiNnJkMxv1+M1dqtd653Nx6adG894YPmQoAkEjvwRRmMrgardzfL4xCca9P32K0cPq9ojePT7a6MGwUHZk5bswCq80qkXXkZpe8/MJm+4UvIXbknfZrDzfKjCaEnJkJsVkEAqH6wi5Xqui0SgCAIOz+rUCrU9izRNsvEQAAlVrcVzg+bqTVCtVc/N71YOwQCYATAHutg9kWFs1ouCgF0QhrRZyu2dFyuzYnezEBEEhEsljaHh6aAACYPGH5zaaz//36D+PHLuKwAhqbz1mt0NLFH8Dsih8YkT26+My577aVv5aWkqNWS85e2PPCko+F4cmPFo6MSCeTqYeqPn8qa7aou/n46a8BAN09rfxAoR8vJNBfcOrsDiqFodUrx40uHpE5/ULtj/uP/FuuEAnCkrq6m+saTr7+h51UKsKtUtWrDYU1ANea4QZQairFARFc+Ea1BTL/cvVg7ZUDdQ0nrt34+dylH1RqaWpyNpPJTUse3yO5c/nqoVst5xk09lNZhaHBsQCAq3VVBqN2zMj71/WmlgudolsTxz8HAEiKH02nMRtuVV+tOyqR3ktNHp+WPI5GZdhbMylJY+0tSgAAnc4KCY69dHl/7ZX9EGRZNO89pVrcdvfayGEFBAIhKiK9sfn8lbqjcoUoPSWHxeINSZ+k16uv1R+73nDCYNCOGjEzJmookQh3Fho0Jr1cN3o6XL8/Qg/roa+6jRDDLxzhngVBkD1ru9liOnBk49kLu9evPmM/lwc04jZFmNCWPYsPUwbhRw6b4HdkuxjeYO2Vg4eObRqaMTnAP1ytkdU1nAgNjh0E+gAAik7V9EW/nUX2GxB+Z2gU3T+IrOrRckOc9i+EBMfERGVevnZYp1NyOPy05PF5OUv7GzOGkN1Txg1hwafWcGmcRN5r+nFzd8xIAXyxwcetU3eWrYmm0BGmESD3UfsHU9PHcMStMs/FNgAQNfSOnxOEqM/VkaaRk/1ZLEjR5fU+K4wgbZML4ygpI10aFndjvPhIea/OQPEfvMPtdnpb5YIo4tiZAS6Wd2P+4NSSYCKkl7Vj/XVVNPQ0SwICrK7r68+8mZr90o42MyeYy+A+7sQrXkUr02ulmsSh9KHj3RvX7c/crfZG3em9EiKFEhDlR2fD5TAaEOhVRkmbnEaz5czhh0S6veRm/+cPNl9R19WoZd0mNp/J5jPJVBKFRiJRBsAUQvvkQbPJohHr1GJdWCxjyFhOVEo/B9TQzmFVSc1t9drudlPPXb1eA9HZZL3GYzN2vQGZTLBCNjqbHBpND4+hxaSzWFxUj08efivMYrJ5cB61N6BQCESye6OP8GDxvbqBBXbfhhgo4AbRghtEC24QLbhBtOAG0fL/cDiX1d/e8FMAAAAASUVORK5CYII=", + "text/plain": [ + "<IPython.core.display.Image object>" + ] + }, + "metadata": {}, + "output_type": "display_data" + } + ], + "source": [ + "from IPython.display import Image, display\n", + "\n", + "display(Image(graph.get_graph().draw_mermaid_png()))" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "# Data Augmentation\n", + "We will experiment to see what impact the extra data has on the precision at k and metrics of the RAG\n", + "Each database will be filled with 100 cases. \n", + "\n", + "We will also make sure that the data is properly scrambeled, and remove duplicated case_text as it might confuse the retriever" + ] + }, + { + "cell_type": "code", + "execution_count": 429, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "Documents before duplicate deletion: 24985\n", + "Documents afer duplicate deletion: 17921\n" + ] + } + ], + "source": [ + "\n", + "data = pd.read_csv(file_path)\n", + "print(\"Documents before duplicate deletion: \", len(data))\n", + "data = data.drop_duplicates(subset=['case_text'])\n", + "data = data.sample(frac=1)\n", + "print(\"Documents afer duplicate deletion: \",len( data))\n", + "data.to_csv('processed_cases.csv', index=False)\n" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "Preprocessing func for data. random samples, drop duplicates, load and split." + ] + }, + { + "cell_type": "code", + "execution_count": 430, + "metadata": {}, + "outputs": [], + "source": [ + "\n", + "def preprocess(data, n_docs=100, rand_state=42):\n", + " \n", + " data = data.drop_duplicates(subset=['case_text'])\n", + " # Get random sample of data\n", + " sampled_data = data.sample(n=n_docs, random_state=rand_state)\n", + " \n", + " # Workaround because of problems with DataFrameLoader\n", + " sampled_data.to_csv('processed_cases.csv', index=False)\n", + " \n", + " # Split the data\n", + " data_loader = CSVLoader(file_path='processed_cases.csv', content_columns='case_text', metadata_columns=['case_id', 'case_title', 'case_outcome'])\n", + " data_split = loadedData2split(data_loader, n_docs=n_docs)\n", + "\n", + " return data_split\n" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Create dataframe and fill database with only cited instances" + ] + }, + { + "cell_type": "code", + "execution_count": 431, + "metadata": {}, + "outputs": [], + "source": [ + "def deleteAllDbContent(db):\n", + " # Delete db contents iterativley, max delete value 5461\n", + " while len(db.get()['ids']) > 0:\n", + " db.delete(db.get()['ids'][0:5461])" + ] + }, + { + "cell_type": "code", + "execution_count": 432, + "metadata": {}, + "outputs": [], + "source": [ + "vector_store_cited = Chroma(embedding_function=embeddings)\n", + "\n", + "# Access only cited data\n", + "cited_data = data[data['case_outcome'] == 'cited']\n", + "# Preprocess and split\n", + "cited_split = preprocess(cited_data)\n", + "#delete all previous data in db\n", + "deleteAllDbContent(vector_store_cited)\n", + "# Fill Vector DB\n", + "_ = vector_store_cited.add_documents(documents=cited_split)" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Create dataframe and fill database will mixed instances" + ] + }, + { + "cell_type": "code", + "execution_count": 463, + "metadata": {}, + "outputs": [], + "source": [ + "vector_store_mixed = Chroma(embedding_function=embeddings)\n", + "# Preprocess entire data\n", + "mixed_split = preprocess(data, n_docs=10)\n", + "deleteAllDbContent(vector_store_mixed)\n", + "# Store in vector db\n", + "_ = vector_store_mixed.add_documents(documents=mixed_split)" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Generating test queries\n", + "In order to create enough testcases gpt-4o will be used. The LLM will be prompted to generate a question that is specific to the given text" + ] + }, + { + "cell_type": "code", + "execution_count": 464, + "metadata": {}, + "outputs": [], + "source": [ + "from langchain.prompts import PromptTemplate\n", + "\n", + "llm_prompt = \"\"\"\"\n", + "Given the following context, generate maximun one question that is specific to the given case_text, case_outcome or case_title and that can be answered given the case_text. The question must include something that is specific to that context and cannot be interpreted as general.\",\n", + " \n", + "Context: {context}\n", + "\n", + "Generated Question:\n", + " \n", + "\"\"\"\n", + "\n", + "\n", + "template = PromptTemplate(\n", + " input_variables=[\"context\"],\n", + " template=llm_prompt,\n", + ")\n", + "\n", + "\n", + "\n", + "\n", + "llm_chain = template | llm\n", + "\n", + "\n", + "\n", + "def generateSearchPrompts(vector_store):\n", + "\n", + " \n", + " storage_dict = {}\n", + " for id in vector_store.get()['ids']:\n", + " # Get the case information from vector store\n", + " context = vector_store.get(id) \n", + " # Get the case ID from the databse\n", + " ground_truth_case = context['metadatas'][0]['case_id']\n", + " # Saving ground truth id\n", + " ground_truth_chunk_id = id \n", + " #Generate a question for the current chunk context\n", + " query = llm_chain.invoke({\"context\": context}).content\n", + " \n", + " # Save in storage dict\n", + " storage_dict[ground_truth_chunk_id] = {\"query\": query,\n", + " 'case_id':ground_truth_case}\n", + " \n", + " return storage_dict\n", + " \n", + "\n", + " \n" + ] + }, + { + "cell_type": "code", + "execution_count": 436, + "metadata": {}, + "outputs": [], + "source": [ + "\n", + "cited_queries_dict = generateSearchPrompts(vector_store_cited)" + ] + }, + { + "cell_type": "code", + "execution_count": 465, + "metadata": {}, + "outputs": [], + "source": [ + "mixed_queries_dict = generateSearchPrompts(vector_store_mixed)" + ] + }, + { + "cell_type": "code", + "execution_count": null, + "metadata": {}, + "outputs": [], + "source": [ + "print(mixed_queries_dict)\n", + "\n" + ] + }, + { + "cell_type": "code", + "execution_count": 466, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "{'b2cbd1ff-816e-4c0f-914e-ab17d8b84631': {'query': \"What must be established to prove the proper foundation for an expert witness's opinion, as referenced in the case Makita (Australia) Pty Ltd v Sprowles?\", 'case_id': 'Case8905'}, '6ab9548d-a901-409d-bcb8-2affd6cd032b': {'query': 'What specific precedents were cited by Lindgren J and Finn J in the case of Makita (Australia) Pty Ltd v Sprowles?', 'case_id': 'Case8905'}, 'd759271d-55cd-491b-9726-1853b9ba3624': {'query': 'What specific inquiry did the applicant argue should have been conducted by the Review Board regarding educational merit?', 'case_id': 'Case18572'}, '6cf3dc2e-6574-452b-9c2b-e8ff87821cf9': {'query': \"What was the Review Board's finding regarding the literary or educational merit of the publications in the case discussed?\", 'case_id': 'Case18572'}, '2c8ccffb-d650-4229-9bac-2aa4c3ff1c24': {'query': 'What preliminary opinion has the court expressed regarding the necessity of allowing the Professional Services Review Committee No 295 to act as a judge in its own cause?', 'case_id': 'Case22326'}, '698b9bff-5a77-423b-a07e-0a9357a6624f': {'query': 'What specific errors did each committee make that entitled the doctors to relief in the case regarding Professional Services Review Committee No 295?', 'case_id': 'Case22326'}, '664c2b90-9eca-46b6-88b4-9a4777f9e326': {'query': \"What specific aspects of the distinction between expenditures on revenue account and capital account are highlighted in the passages from Dixon J's judgment in Sun Newspapers Limited v The Federal Commissioner of Taxation?\", 'case_id': 'Case21092'}, 'af4e960c-8554-4993-9c52-8181165aa476': {'query': 'What was the primary legal issue discussed in the case of Sun Newspapers Limited v The Federal Commissioner of Taxation regarding profit-yielding subjects?', 'case_id': 'Case21092'}, '679cae03-57a8-4df2-8b8c-72e94bac634c': {'query': 'How does the case of Sun Newspapers Limited v The Federal Commissioner of Taxation address the complexities involved in distinguishing between the establishment of profit-yielding subjects and their ongoing operational expenses?', 'case_id': 'Case21092'}, 'dd7647e0-e75e-4612-96fe-be99ea67c876': {'query': 'What key distinction did the courts rely on to determine whether the advertising expenditure in Sun Newspapers Limited v The Federal Commissioner of Taxation should be classified as capital or revenue?', 'case_id': 'Case21092'}, '946f9e20-31cb-4a94-aa16-7137ae5bed53': {'query': 'What was the case outcome in the matter of Sun Newspapers Limited v The Federal Commissioner of Taxation?', 'case_id': 'Case21092'}, '03a23160-6bd1-4c9b-ae25-52b1ed5a71cc': {'query': 'What distinction is mentioned in the case Sun Newspapers Limited v The Federal Commissioner of Taxation regarding fixed capital assets versus expenditures recouped by circulating or working capital?', 'case_id': 'Case21092'}, '63e88c51-7ec9-4359-8685-268c482804e2': {'query': 'What are the key considerations for determining whether an expenditure is of a revenue nature as discussed in the case of Sun Newspapers Limited v The Federal Commissioner of Taxation?', 'case_id': 'Case21092'}, 'c56ba9c4-7e66-4e5c-9892-855426fc1e45': {'query': 'What distinction did Dixon J make between different forms of expenditure in the case of Hallstroms Proprietary Limited v The Federal Commissioner of Taxation as referenced in the case of Sun Newspapers Limited v The Federal Commissioner of Taxation?', 'case_id': 'Case21092'}, 'f8f7aae7-b11b-43f7-adfd-f820647b2df2': {'query': 'What concepts related to capital and revenue are clarified by Dixon J in the case of Sun Newspapers Limited v The Federal Commissioner of Taxation?', 'case_id': 'Case21092'}, 'a6a3d2ba-b1cd-45ff-9205-5ec5e3b4812e': {'query': 'What principles established by Dixon J in Sun Newspapers and Hallstroms Case are relevant to assessing the business character of the outgoing in this context?', 'case_id': 'Case21092'}, '822a21f8-7d05-4e74-99f5-b3828a8c4dc0': {'query': 'What are the particular circumstances mentioned in the case of Sun Newspapers Limited v The Federal Commissioner of Taxation that could lead to interest payments being regarded as of a capital nature?', 'case_id': 'Case21092'}, '98a20bee-f390-47bd-88f5-6f3234f177a7': {'query': 'What specific legal principles were discussed in the case of Sun Newspapers Limited v The Federal Commissioner of Taxation as referenced in Taxation 210 ALR at [47]?', 'case_id': 'Case21092'}, '60baa06e-3a68-431e-bb16-34ca06699ca8': {'query': 'What was the main focus of the University’s submission regarding the legal effect of the amended patent claim in the context of prior art?', 'case_id': 'Case7055'}, '771aee27-bbff-4cf1-a036-606ad21116ae': {'query': 'What conclusion did the court reach in the case ICI Chemicals and Polymers Ltd v Lubrizol Corp Inc, despite the considerations mentioned?', 'case_id': 'Case7055'}, 'dfca1dfa-b347-422b-83d8-7a43ef6a69bb': {'query': \"What specific reasons did the Court provide for dismissing the applicant's request for an extension of time under s 477A(2) of the Act?\", 'case_id': 'Case7009'}, '6a1f94a8-7c74-4f44-9e5c-54c6a49da6b7': {'query': 'What was the main legal issue considered in the case of Jeffers v R [1993] HCA 11?', 'case_id': 'Case7009'}, 'efade529-ff62-4e0d-a436-a35319f0a083': {'query': 'What statutory provision allows the Federal Court to award costs against practitioners?', 'case_id': 'Case15270'}, '72da5954-bbbb-4fa1-b5e1-0f938b73622f': {'query': 'What specific criteria did Goldberg J describe as sufficient to justify a costs order in the context of unreasonable conduct in litigation in the case of De Sousa v Minister for Immigration, Local Government and Ethnic Affairs?', 'case_id': 'Case15270'}, '4b90c36e-4666-461b-93d0-3909f5394859': {'query': 'What legal duties are highlighted in the case of De Sousa v Minister for Immigration, Local Government and Ethnic Affairs regarding the preparation and presentation of applications?', 'case_id': 'Case15270'}, 'c003836d-d16d-46dd-9fb8-3a6f4f5dd41a': {'query': \"What specific limitation did Branson J identify regarding the Court's capacity to review factual findings of the Tribunal under s 44(1) of the AAT Act in Comcare v Etheridge?\", 'case_id': 'Case15408'}, '7aaf8494-77d8-40c3-8123-e156ff0ec4dc': {'query': 'What legal principles did the court apply regarding the distinction between questions of law and mixed questions of fact and law in the case of Comcare v Etheridge?', 'case_id': 'Case15408'}, 'bbdc16b3-10f8-450a-b5f5-ea2a542a994f': {'query': \"What was the basis of Mr. Sellick's argument regarding the applicability of the ADJR Act in the context of the appeal under the AAT Act in Comcare v Etheridge?\", 'case_id': 'Case15408'}, '63b88d2b-eea0-40ce-ae2c-07d8452fd673': {'query': 'What specific procedural approach did Justice Davies recommend for applications concerning decisions of the AAT as outlined in the case Comcare v Etheridge?', 'case_id': 'Case15408'}, '274c8a65-2e32-4aaa-8ab0-e1d12f423a85': {'query': 'What was the outcome of the case Comcare v Etheridge [2006] FCAFC 27?', 'case_id': 'Case15408'}}\n" + ] + } + ], + "source": [ + "print(cited_queries_dict)\n" + ] + }, + { + "cell_type": "markdown", + "metadata": {}, + "source": [ + "## Calculate accuracies\n", + "We caclulate the accuracies by dividing the true positive by the total number of retrieved documents. We calculate both the accuracy for the most relevant document being on top, and the top k documens containing the correct document." + ] + }, + { + "cell_type": "code", + "execution_count": 467, + "metadata": {}, + "outputs": [], + "source": [ + "def calculateAccuracies(dict, db, k = 5):\n", + " top_1 = 0\n", + " top_k = 0\n", + " for db_id,chunk in dict.items():\n", + " # Get documents from db using the generated query\n", + " retrieved_docs = db.similarity_search_with_score(chunk['query'], k=k)\n", + " \n", + " # Accuracy at k = 1. If the retrieved top document is the correct chink id\n", + " if (retrieved_docs[0][0].id == db_id):\n", + " top_1 += 1\n", + " # Accuracy k = k. Is the correct instance in the top k results\n", + " for i in range(k):\n", + " if (retrieved_docs[i][0].id == db_id):\n", + " top_k += 1\n", + " \n", + " top_1_acc = top_1/len(dict)\n", + " top_k_acc = top_k/len(dict)\n", + " \n", + " return top_1_acc, top_k_acc\n", + " \n", + "\n", + " " + ] + }, + { + "cell_type": "code", + "execution_count": 449, + "metadata": {}, + "outputs": [], + "source": [ + "top_1_acc_cited, top_k_acc_cited = calculateAccuracies(cited_queries_dict, vector_store_cited)\n" + ] + }, + { + "cell_type": "code", + "execution_count": 468, + "metadata": {}, + "outputs": [], + "source": [ + "top_1_acc_mixed, top_k_acc_mixed = calculateAccuracies(mixed_queries_dict, vector_store_mixed)\n" + ] + }, + { + "cell_type": "code", + "execution_count": 469, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "Top 1 accuracy mixed: 43.33% Top k accuracy mixed: 63.33%\n" + ] + } + ], + "source": [ + "print('Top 1 accuracy cited: ',f\"{top_1_acc_cited:.2%}\", 'Top k accuracy cited: ', f\"{top_k_acc_cited:.0%}\")\n", + "print('Top 1 accuracy mixed: ',f\"{top_1_acc_mixed:.2%}\", 'Top k accuracy mixed: ', f\"{top_k_acc_mixed:.2%}\")" + ] + }, + { + "cell_type": "code", + "execution_count": 504, + "metadata": {}, + "outputs": [], + "source": [ + "import numpy as np\n", + "from scipy.stats import ttest_ind\n", + "import random\n", + "\n", + "def run_statistical_analysis(k=5, num_iterations=10, n_docs=50):\n", + " cited_top1_accuracies = []\n", + " mixed_top1_accuracies = []\n", + "\n", + " cited_topk_accuracies = []\n", + " mixed_topk_accuracies = []\n", + " print(\"Start\")\n", + "\n", + " for i in range(num_iterations):\n", + " seed = i # Use iteration index as seed for reproducibility\n", + " rand = np.random.seed(seed)\n", + " # Fill the mixed vector database\n", + " vector_store_mixed = Chroma(embedding_function=embeddings)\n", + " # Preprocess entire data\n", + " mixed_split = preprocess(data, rand_state=rand, n_docs=n_docs)\n", + " \n", + " deleteAllDbContent(vector_store_mixed)\n", + " # Store in vector db\n", + " _ = vector_store_mixed.add_documents(documents=mixed_split)\n", + " print(\"Filled mixed db \", i )\n", + "\n", + " mixed_queries_dict = generateSearchPrompts(vector_store_mixed)\n", + " print(mixed_queries_dict)\n", + " print(\"Generated mixed qs \", i )\n", + "\n", + " top1_mixed, topk_mixed = calculateAccuracies(mixed_queries_dict, vector_store_mixed, k)\n", + " print(top1_mixed, topk_mixed)\n", + " mixed_top1_accuracies.append(top1_mixed)\n", + " mixed_topk_accuracies.append(topk_mixed)\n", + "\n", + " vector_store_cited = Chroma(embedding_function=embeddings)\n", + " # Access only cited data\n", + " cited_data = data[data['case_outcome'] == 'cited']\n", + " # Preprocess and split\n", + " cited_split = preprocess(cited_data, rand_state=rand, n_docs=n_docs)\n", + " #delete all previous data in db\n", + " deleteAllDbContent(vector_store_cited)\n", + " # Fill Vector DB\n", + " _ = vector_store_cited.add_documents(documents=cited_split)\n", + " print(\"Filled cited db \", i )\n", + " cited_queries_dict = generateSearchPrompts(vector_store_cited)\n", + " print(\"Generated cited qs \", i )\n", + "\n", + " # Calculate accuracies for cited and mixed databases\n", + " top1_cited, topk_cited = calculateAccuracies(cited_queries_dict, vector_store_cited, k)\n", + " \n", + "\n", + " cited_top1_accuracies.append(top1_cited)\n", + " cited_topk_accuracies.append(topk_cited)\n", + " \n", + "\n", + "\n", + " # Perform a t-test to check for statistical significance\n", + " print(cited_top1_accuracies,mixed_top1_accuracies)\n", + " t_stat_1, p_value_1 = ttest_ind(cited_top1_accuracies, mixed_top1_accuracies, equal_var=False)\n", + "\n", + " # Print results\n", + " print(f\"Cited Database Mean Top-1 Accuracy: {np.mean(cited_top1_accuracies):.4f}\")\n", + " print(f\"Mixed Database Mean Top-1 Accuracy: {np.mean(mixed_top1_accuracies):.4f}\")\n", + " print(f\"T-Statistic: {t_stat_1:.4f}, P-Value: {p_value_1:.4e}\")\n", + "\n", + " if p_value_1 < 0.05:\n", + " print(\"The difference in accuracy is statistically significant.\")\n", + " else:\n", + " print(\"The difference in accuracy is NOT statistically significant.\")\n", + "\n", + "\n", + "\n", + " # Perform a t-test to check for statistical significance\n", + " t_stat_k, p_value_k = ttest_ind(cited_topk_accuracies, mixed_topk_accuracies, equal_var=False)\n", + "\n", + " # Print results\n", + " print(f\"Cited Database Mean Top-k Accuracy: {np.mean(cited_topk_accuracies):.4f}\")\n", + " print(f\"Mixed Database Mean Top-k Accuracy: {np.mean(mixed_topk_accuracies):.4f}\")\n", + " print(f\"T-Statistic: {t_stat_k:.4f}, P-Value: {p_value_k:.4e}\")\n", + "\n", + " if p_value_k < 0.05:\n", + " print(\"The difference in accuracy is statistically significant.\")\n", + " else:\n", + " print(\"The difference in accuracy is NOT statistically significant.\")\n", + " return t_stat_k, p_value_k, cited_topk_accuracies,mixed_topk_accuracies" + ] + }, + { + "cell_type": "code", + "execution_count": 508, + "metadata": {}, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "Start\n", + "Filled mixed db 0\n", + "{'58a62d1f-3773-4b01-b943-e6611fb63050': {'query': 'What does the term \"of the same kind\" imply in the context of replacing or substituting goods as discussed in the case of Federal Commissioner of Taxation v St Hubert\\'s Island Pty Ltd?', 'case_id': 'Case20152'}, '2734fd03-73c4-491f-b0c2-8f3412186067': {'query': 'What did the House of Lords conclude regarding the subsistence of copyright in the fixed odds football betting coupon in the case of Ladbroke (Football) Ltd v William Hill (Football) Ltd?', 'case_id': 'Case10016'}, 'ef5985a0-d43a-43f3-b0d1-b64cb5b91984': {'query': \"What specific elements of Nine's skill and labour in creating the Weekly Schedule were considered fundamental to the question of copyright infringement in this case?\", 'case_id': 'Case10016'}, '81cceede-9253-4e06-baf1-bee94783d7af': {'query': 'What specific aspects of skill and labour involved in the preparation of the Weekly Schedule were acknowledged by Ice as justifying the copyright subsistence?', 'case_id': 'Case10016'}, 'b76a4880-d8dc-4328-ba1a-c8c77747e7a3': {'query': 'What roles do Mr. Holman, Mr. Forrest, and Mr. Healy play in the preparation of synopses for the Weekly Schedule at Nine?', 'case_id': 'Case10016'}, '7fa182dd-f327-484e-8883-d7c26b5471ee': {'query': 'What was the case outcome of Ladbroke (Football) Ltd v William Hill (Football) Ltd [1964] 1 WLR 273?', 'case_id': 'Case10016'}, '23aa05e4-4dcd-41b7-af4d-3731128fe08f': {'query': 'What specific aspect of the Weekly Schedule is Nine arguing should be protected under copyright law, as indicated in the context?', 'case_id': 'Case10016'}, '0c9d7a1e-f4d2-4ecb-9d06-f6afac8eec82': {'query': 'What specific factors contribute to the copyright protection of the arrangement and presentation of the data in the Weekly Schedule, as highlighted in the case of Ladbroke (Football) Ltd v William Hill (Football) Ltd?', 'case_id': 'Case10016'}, '8fa82ed3-78d8-4d9f-bdcd-172706547818': {'query': 'What was the primary interest that the copyright was intended to protect in the case of Desktop as referenced in the context?', 'case_id': 'Case10016'}, '00c81d42-6a23-4c83-8c0d-1d00033f0e4a': {'query': 'What key principle regarding the originality of compilations is highlighted in the case of Ladbroke (Football) Ltd v William Hill (Football) Ltd?', 'case_id': 'Case10016'}, 'e94ac2ae-b198-4a81-9526-3a81be31ed3b': {'query': 'What was the primary legal issue addressed in the case of Ladbroke (Football) Ltd v William Hill (Football) Ltd?', 'case_id': 'Case10016'}, '49b10657-6130-4742-a034-4e18b03f16f7': {'query': 'What was the reasoning provided by Wilcox and Lindgren JJ regarding the approach to determine copyright protection in the case of Ltd v Henley Arch Pty Ltd?', 'case_id': 'Case10016'}, '80eb0263-5519-4cf8-bc16-1b136a849866': {'query': 'What principle was applied by the Full Court in the case VAF v Minister for Immigration and Multicultural and Indigenous Affairs regarding the constitution of information?', 'case_id': 'Case23844'}, '3666f0f9-1434-4365-9d92-2a790facb6cb': {'query': \"What was Wright Designed's argument regarding the execution of a mortgage under s 56 of the Real Property Act 1900?\", 'case_id': 'Case5924'}, 'fe5a24f4-7868-4753-b40a-e95f51478067': {'query': 'What did the High Court of Australia determine regarding the effect of an antecedent agreement in relation to equitable interests in land in Chan v Cresdon Pty Limited?', 'case_id': 'Case5924'}, 'e5b707c3-679e-46d6-ae22-3e18d2825b0d': {'query': \"What was the reason for the appellant's application for a protection visa being refused by the delegate of the Minister for Immigration and Citizenship?\", 'case_id': 'Case24170'}, 'bccac4b5-0b39-4964-b119-f8c20f4af599': {'query': \"What actions did the appellant take in response to the sale of his family's land, and how did these actions lead to his flight from China?\", 'case_id': 'Case24170'}, '61fbb663-ffc7-4544-8da6-6767263aa3db': {'query': 'What specific event did the appellant organize for 27 April 2007 that was described as being perceived as anti-government by the police?', 'case_id': 'Case24170'}, '0334d944-7796-45df-b8b4-e78718ad5f72': {'query': \"What specific inconsistencies did the Tribunal identify in the appellant's testimony regarding the organization of the protest?\", 'case_id': 'Case24170'}, '544791dc-1d39-4d80-876c-ab4fe252f6a2': {'query': 'What legal test did the courts use to determine if a term should be implied into a contract, as discussed in the case of BP Refinery (Westernport) Pty Ltd v Shire of Hastings?', 'case_id': 'Case3169'}, 'b58a414c-48f0-4bdc-8e22-b32f7c31ff2b': {'query': \"How did the Full Court's orders in the case of CPSU, The Commonwealth and Public Sector Union v Commonwealth of Australia [2006] FCAFC 176 impact Mr. McCarron's leave approval?\", 'case_id': 'Case21477'}, '47ca7fa5-a948-4a06-b646-ba15c5bcd35f': {'query': 'What operational requirements did the OEA consider when determining to refuse further flex leave and annual leave for participation in the rally in the case CPSU, The Commonwealth and Public Sector Union v Commonwealth of Australia [2006] FCAFC 176?', 'case_id': 'Case21477'}, '4e4512d0-6025-46b8-9b87-f637783ebea6': {'query': 'What concerns are raised about the separate determination of questions in legal proceedings as discussed in the context of Tepko Pty Ltd v Water Board?', 'case_id': 'Case3508'}, '46965d01-3ded-47d5-a753-aa2c5290851a': {'query': 'What are the four specific land claim determinations under the Land Rights Act that were favorable to the indigenous groups involved in the case cited as Risk v Northern Territory of Australia [2006] FCA 404?', 'case_id': 'Case9044'}, 'baad5efe-a30c-4ecc-a72b-940216350956': {'query': \"What specific parts of the Victoria River were initially included in the Northern Land Council's 1981 claim and which parts did the claimants later withdraw from the claim?\", 'case_id': 'Case9044'}, '2485a35c-fcb3-4067-8ab9-1dee7cbcccec': {'query': 'What did Mansfield J state regarding the requirement of continuity for aboriginal society in the context of traditional laws and customs in the case of Risk v Northern Territory of Australia?', 'case_id': 'Case9044'}, '5c0dd9cb-f305-4ea0-9cfe-a495d8f7f67a': {'query': 'What impact did the concept of sovereignty have on the rights and interests in land according to the majority opinion in Yorta Yorta, as referenced in the case of Risk v Northern Territory of Australia [2006] FCA 404?', 'case_id': 'Case9044'}, 'f8c2e0e9-fe0d-4c41-be41-bbae1e5a49f1': {'query': 'What was the outcome of the case \"Risk v Northern Territory of Australia [2006] FCA 404\"?', 'case_id': 'Case9044'}, '9c96a07c-2b27-4551-a729-56cfe71a5539': {'query': 'What was the outcome of the native title claim in Risk v Northern Territory of Australia, and how did it relate to the findings in Yorta Yorta?', 'case_id': 'Case9044'}, '7dfa2f2b-e9ab-42bf-a301-d27834e46d00': {'query': \"What specific requirements did Dixon J outline for an event to be classified as an 'amalgamation' of two companies in the case of Citizens and Graziers' Life Assurance Co Ltd v Commonwealth Life (Amalgamated) Assurances Ltd?\", 'case_id': 'Case21567'}, '8f272245-de82-4cef-91c2-0c85f2cc9ebd': {'query': 'What does the memorandum in the case \"Citizens and Graziers\\' Life Assurance Co Ltd v Commonwealth Life (Amalgamated) Assurances Ltd\" specify about the nature of the amalgamation referenced?', 'case_id': 'Case21567'}, 'edc4575b-cf75-415e-80a1-fde7ebfd5e44': {'query': 'What are the terms discussed by Mr. Oakes in relation to the case \"Citizens and Graziers\\' Life Assurance Co Ltd v Commonwealth Life (Amalgamated) Assurances Ltd\"?', 'case_id': 'Case21567'}, 'cff93696-07e9-43b0-9c20-0c2d182c5d9f': {'query': 'What was the key legal principle emphasized by the courts in the decisions referenced in the case of Minister for Immigration and Multicultural and Indigenous Affairs v VSAF of 2003?', 'case_id': 'Case15907'}, '74796c62-31fc-4084-b554-5ae6f480150d': {'query': 'What opportunity did the Tribunal provide to the appellant in the case of Minister for Immigration and Multicultural and Indigenous Affairs v VSAF of 2003, and what was the consequence of the appellant not accepting it?', 'case_id': 'Case15907'}, '7ae0e2a0-9347-4aa0-9fb1-f1455fce9a2e': {'query': \"What was the reason for the Tribunal's decision to proceed without conducting further inquiries in the case of Minister for Immigration and Multicultural and Indigenous Affairs v VSAF of 2003 [2005] FCAFC 73?\", 'case_id': 'Case15907'}, 'd988c708-c696-4369-bd6d-ea68a258cad0': {'query': 'What was the outcome of the case titled \"Minister for Immigration and Multicultural and Indigenous Affairs v VSAF of 2003 [2005] FCAFC 73\"?', 'case_id': 'Case15907'}, '0c9d9671-926b-4f3f-bcb4-bb35803f3798': {'query': 'What circumstances differentiate the present case regarding alleged waiver of privilege from those in Mann v Carnell and Benecke?', 'case_id': 'Case12977'}, 'a329ca6c-728a-49ad-b2dd-d295b3b2d532': {'query': 'What was identified as significant regarding the requirement that laws and customs be \"traditional\" in the case of Members of the Yorta Yorta Aboriginal Community v Victoria?', 'case_id': 'Case15324'}, 'e63c2cdf-e3d5-41da-a922-ceb4912acc99': {'query': 'What two additional elements are conveyed by the term \"traditional\" in the context of the Native Title Act, as discussed in the case of Members of the Yorta Yorta Aboriginal Community v Victoria?', 'case_id': 'Case15324'}, '8368f4bc-7689-46e6-9139-67d62213cba3': {'query': 'What implications does the continuous existence and vitality of traditional laws and customs have on the recognition of native title in the case of Members of the Yorta Yorta Aboriginal Community v Victoria?', 'case_id': 'Case15324'}, '3020981d-c542-46d6-a85f-5ef937a2a332': {'query': 'What did Callinan J identify as critical elements for traditional laws and customs in the context of the Yorta Yorta Aboriginal Community case?', 'case_id': 'Case15324'}, '3cb4fbaf-c9ad-4e52-8096-adf42aec5b8d': {'query': 'What was the outcome of the case involving the Members of the Yorta Yorta Aboriginal Community against Victoria?', 'case_id': 'Case15324'}, 'c584f932-b1ca-4772-bba6-ff23e234f916': {'query': 'What must be shown to establish that rights and interests in land, as defined in the case of Members of the Yorta Yorta Aboriginal Community v Victoria, are enforceable by common law?', 'case_id': 'Case15324'}, 'b45a87b1-04c9-4cfd-9a7c-e1666a8b9e79': {'query': 'What criteria must the Yorta Yorta Aboriginal Community demonstrate to establish their native title as per the findings in the case Members of the Yorta Yorta Aboriginal Community v Victoria?', 'case_id': 'Case15324'}, 'bc4c255c-71bf-4f46-9941-705dc40ecccc': {'query': \"What approach did the court refer to in the case of 'Moses v State of Western Australia' regarding the identification of laws and customs necessary to establish native title rights and interests?\", 'case_id': 'Case15324'}, '8e77ff08-3af7-47ff-ba72-0f02dee56f43': {'query': 'What does Annexure C detail regarding the traditional laws and customs of the Yorta Yorta community in the case of Members of the Yorta Yorta Aboriginal Community v Victoria?', 'case_id': 'Case15324'}, '8726ae77-d991-4de1-b39b-6e09dce6b39f': {'query': 'What did the applicant assert regarding the transmission of laws and customs among the Yorta Yorta Aboriginal Community in the context of their historical society and connection to sovereignty?', 'case_id': 'Case15324'}, '5f315093-5a17-4555-931d-078a5553d214': {'query': 'What specific factual details concerning the pre-sovereignty society and its laws and customs relating to land were required to adequately support the claim by the Members of the Yorta Yorta Aboriginal Community in their case against Victoria?', 'case_id': 'Case15324'}, 'a1858f38-9185-4bd3-867e-93504d226248': {'query': \"What inference can be made about the traditional nature of the Yorta Yorta Aboriginal Community's laws and customs based on circumstances before or shortly after first European contact?\", 'case_id': 'Case15324'}, '22813fbb-e914-48d2-ada5-6b5b648a5748': {'query': 'What challenges regarding evidence of continuity did the Members of the Yorta Yorta Aboriginal Community face in their case against Victoria?', 'case_id': 'Case15324'}, '67bed71d-e802-48f6-acb4-50bf5b2003ce': {'query': 'What was the outcome of the case \"Members of the Yorta Yorta Aboriginal Community v Victoria (2002) 214 CLR 422\"?', 'case_id': 'Case15324'}, 'e813ae68-b124-4ac1-9075-dfc33c385e9a': {'query': 'What type of evidence is necessary to demonstrate the continuity of the pre-sovereignty society in the case of Members of the Yorta Yorta Aboriginal Community v Victoria?', 'case_id': 'Case15324'}, '9c6e4664-4d92-422d-8285-2ab74d5e2f75': {'query': \"What role does the evidence of genealogical links play in establishing continuity for the Yorta Yorta Aboriginal Community's claim according to the case?\", 'case_id': 'Case15324'}, '05c3c3cb-6629-4ac5-a921-25fe7d07bb94': {'query': 'What did Gleeson CJ, Gummow, and Hayne JJ determine regarding the relationship between contemporary laws and customs observed by indigenous societies and those acknowledged before sovereignty in the case of Members of the Yorta Yorta Aboriginal Community v Victoria?', 'case_id': 'Case15324'}, '21a5a047-7781-49ac-a64a-af9b3b4465e9': {'query': \"What specific evidence was deemed insufficient to demonstrate that the claim group's laws and customs were traditional in the case of Members of the Yorta Yorta Aboriginal Community v Victoria?\", 'case_id': 'Case15324'}, '4db5055c-87db-4341-b582-9dfee2f36353': {'query': 'What was the outcome of the case \"Members of the Yorta Yorta Aboriginal Community v Victoria (2002) 214 CLR 422\"?', 'case_id': 'Case15324'}, '0862c00a-0506-44e3-b278-5751b4b1bbe5': {'query': \"What is the basis for Mr. Hagen's reference to early literature in relation to the Gudjala people's laws and customs, as mentioned in the context?\", 'case_id': 'Case15324'}, 'a0f29c8f-2d5f-4ad8-8398-6a0c08e3d609': {'query': 'What was determined to be \"traditional\" in the Members of the Yorta Yorta Aboriginal Community v Victoria case?', 'case_id': 'Case15324'}, '55b984e4-c021-47d1-aad3-d37ab3ebf2f0': {'query': 'What specific clinical study and patient outcomes were highlighted in the advertisements examined in the case Astrazeneca Pty Ltd v GlaxoSmithKline Australia Pty Ltd?', 'case_id': 'Case21712'}, '067d9535-9c19-440f-a5f9-b0ee5a4e8011': {'query': 'What specific message was conveyed in the Summer Glow advertisements regarding consumer preferences as supported by the \"use test\"?', 'case_id': 'Case21712'}, 'e404ba13-593a-41a1-9bf8-2c81ca0894d2': {'query': 'What method did Johnson argue was misleading in the advertisements for Holiday Skin, particularly regarding user preference and tanning attributes?', 'case_id': 'Case21712'}, '690c1a4d-d821-4f65-974e-1e86386230c7': {'query': \"What specific performance attribute does Johnson argue is emphasized in Unilever's television advertisement, and how does this differ from the general preference measured in the study?\", 'case_id': 'Case21712'}, '11dc55b9-2689-482c-8eec-28d7cd37be99': {'query': 'What was the case outcome of Astrazeneca Pty Ltd v GlaxoSmithKline Australia Pty Ltd [2006] ATPR 42-106?', 'case_id': 'Case21712'}, '41a40f77-cb6b-4efa-a4db-19c54e63c305': {'query': 'What aspect of the television advertisement does Unilever emphasize regarding the body lotion in question?', 'case_id': 'Case21712'}, 'f97dca82-507c-4913-ae23-10b3503932c1': {'query': 'What specific misconceptions about the advertisements were considered relevant to the case of Astrazeneca Pty Ltd v GlaxoSmithKline Australia Pty Ltd regarding the ordinary or reasonable consumers?', 'case_id': 'Case21712'}, '47548f7d-50e8-4db5-bde7-e76bc055c00d': {'query': 'What was the key reason the court determined there was no contravention of section 52 of the Act in the Astrazeneca Pty Ltd v GlaxoSmithKline Australia Pty Ltd case?', 'case_id': 'Case21712'}, '4328d733-4fa5-4b1c-8d1b-7bcd509032f4': {'query': 'What demographic groups were primarily targeted by Unilever and Johnson in their advertising strategies for tanning moisturisers as indicated in the case?', 'case_id': 'Case21712'}, '0518750a-db3b-4935-ae5d-ddb0bfbb80b4': {'query': \"What was the demographic age group that Johnson's market particularly targeted in the context of the case?\", 'case_id': 'Case21712'}, 'ed81c18b-39f3-4f60-9879-425b6c78c119': {'query': \"In the context of Lawrenson Diecasting Pty Ltd v Workcover Authority of New South Wales (Inspector Ch'ng) (1999), what role do subjective factors like a plea of guilty and cooperation with the investigation play in determining the penalty for a serious breach of the OH & S Act?\", 'case_id': 'Case1727'}, '285cf521-df10-4405-ab24-e0befb9959f6': {'query': 'What legal interpretations regarding the phrase \"could not have been set up\" were summarized by Fisher J in the case of Re Vicini as discussed in the context of s 40(1)(g)?', 'case_id': 'Case522'}, '204bc7d1-2ce4-402b-b9df-9f73f41e9541': {'query': 'What did Avory J state regarding a debtor\\'s right to set up a counterclaim in response to a bankruptcy notice in the case \"Re Stokvis (1934) 7 ABC 53\"?', 'case_id': 'Case522'}, 'ca455527-4231-4eb2-84fe-0e35510c2874': {'query': \"What principle did Fisher J conclude regarding the judgment debtor's inability to set up a counterclaim in the creditor's proceedings in the case of Re Stokvis (1934) 7 ABC 53?\", 'case_id': 'Case522'}, '9ada00f1-a2f6-41f4-a234-a0957f0e4be8': {'query': 'What type of legal claim does the case Re Stokvis (1934) 7 ABC 53 suggest can be set up despite a pending action being discontinued?', 'case_id': 'Case522'}, '1b2bcd18-88e7-4aef-8d5b-be782c302fd1': {'query': 'What significant reason was not found to justify a departure from the usual mode of trial in the case titled \"Insurance Commissioner v Australian Associated Motor Insurers Ltd\"?', 'case_id': 'Case16725'}, '7909df3d-fa87-44c1-8407-c2388245bba4': {'query': 'What was the reason for confining the number of jurors to four in colonial New South Wales as mentioned in the context?', 'case_id': 'Case16725'}, '097b4f57-a85b-48f4-a40b-edd86f2bbcea': {'query': 'What are the implications of the term \"knows\" as defined in the context of s 21, according to the case of Alexander Stenhouse Ltd v Austcan Investments Pty Ltd?', 'case_id': 'Case8781'}, '4e4b11cc-96f6-4ffd-bf91-0500f603a853': {'query': \"What did the dissenting justices in Alexander Stenhouse Ltd v Austcan Investments Pty Ltd identify as necessary regarding the relevance of circumstances to an insurer's acceptance of risk?\", 'case_id': 'Case8781'}, '3d48d5ab-c630-4656-89a3-6cda8c1f41e0': {'query': 'What obligation applies to the renewal of a contract as referenced in the case of Alexander Stenhouse Ltd v Austcan Investments Pty Ltd?', 'case_id': 'Case8781'}, '9f6bb018-1694-4a49-bb9f-3b0b0c9338e3': {'query': \"Why was it deemed inappropriate to make or change the rules in this case according to the judge's reasoning?\", 'case_id': 'Case11032'}, '5b20092e-db21-44b2-9a46-64bb1aabf1a9': {'query': 'What were the roles of Mr JV Nicholas SC and Mr Condon in the case dated 26 May 2006?', 'case_id': 'Case11032'}, 'fd37fc5a-d598-478e-a602-848817189f34': {'query': \"What serious questions did the Court identify regarding the parties' engagement in trade and commerce between Australia and another location, in the context of s 6(2) of the Act?\", 'case_id': 'Case14939'}, '76e4ca2b-a90d-4769-906f-97215e542170': {'query': 'What was the role of the bank in the case Logue v Shoalhaven Shire Council [1979] 1 NSWLR 537?', 'case_id': 'Case14939'}, '1c6549df-4599-4d2c-8934-fea0ee6fbcb1': {'query': 'What did Buchanan J state regarding the method of actual notification required by s 477 of the Act in the case of Minister for Immigration & Citizenship v SZKKC?', 'case_id': 'Case441'}, '9c1cc7ca-5b5b-42df-9436-c4b7ddae4163': {'query': 'What specific jurisdictional question was considered by Scarlett FM in the case of Minister for Immigration & Citizenship v SZKKC?', 'case_id': 'Case441'}, '82d3e49c-8ee6-4c10-9704-984f30e7661c': {'query': 'What was the primary reason for granting leave to appeal in the case of Minister for Immigration & Citizenship v SZKKC?', 'case_id': 'Case441'}, '3973a358-8718-41d7-87f1-06eaff4f1b8d': {'query': 'What were the specific orders made regarding the appeal in the case \"Minister for Immigration & Citizenship v SZKKC\"?', 'case_id': 'Case441'}, 'b1c88fea-5e3a-4250-9f3a-65ff11748826': {'query': 'What contractual obligations did Ms. Richards have regarding till shortfalls in relation to her income calculation as determined by the AAT?', 'case_id': 'Case1136'}, '17e05bea-6bc4-490d-bcb2-d2b47bc7cb3a': {'query': \"What distinction did French J make regarding the definition of 'income' in the Social Security Act compared to the provisions of the Income Tax Assessment Act 1936 in the case of Secretary, Department of Social Security v McLaughlin?\", 'case_id': 'Case1136'}, '170fec14-1d0a-4a2d-8451-f784adf1e529': {'query': 'What specific amounts were considered in determining whether the payments received by Ms. Richards were for her own use or benefit in the context of the Act?', 'case_id': 'Case1136'}, '9ee07623-15e8-4fba-b497-f24285f88a1e': {'query': 'What was the reasoning behind the conclusion that Ms. Richards did not benefit from the amounts of shortfall in terms of income, as discussed in the case?', 'case_id': 'Case1136'}, '7ea7ddf0-d452-48ab-a372-a29433a9c20f': {'query': 'What was the outcome of the case \"Secretary, Department of Social Security v McLaughlin (1997) 81 FCR 35\"?', 'case_id': 'Case1136'}, '4a55769a-cdb5-49cd-ac8c-06cc987f9017': {'query': \"What specific aspects of the Social Security Appeals Tribunal's decision were found to align with the interpretation of income maintenance under the Act in the case of Secretary, Department of Social Security v McLaughlin?\", 'case_id': 'Case1136'}, '57a87623-13fd-480b-ab33-76cba7ac438c': {'query': 'What was the main legal determination made by French J regarding the amounts received by the respondents in the case of Secretary, Department of Social Security v McLaughlin?', 'case_id': 'Case1136'}, '7c990e46-26b6-4262-8898-8f874b1686b5': {'query': \"How did the case before the court differ from the precedent set in Secretary, Department of Social Security v McLaughlin regarding the Authority's ability to demand repayment?\", 'case_id': 'Case1136'}, '921aee33-1f9e-41db-a6cd-85daa75986f2': {'query': 'What is the main distinction the respondent identifies between the obligations in their case and those in McLaughlin 81 FCR 35 regarding the receipt of amounts for \"own use and benefit\"?', 'case_id': 'Case1136'}, '4be87a79-0d5a-4ba6-bc73-d0df9bc993f0': {'query': 'What was the specific outcome of the case \"Secretary, Department of Social Security v McLaughlin (1997) 81 FCR 35\"?', 'case_id': 'Case1136'}, '27240db3-e5f4-429c-adc0-76ecad317cad': {'query': 'What was the specific amount involved in the TAB till shortfall case mentioned in the Secretary, Department of Social Security v McLaughlin (1997) 81 FCR 35?', 'case_id': 'Case1136'}, '6cc4e6cd-9f2e-4e41-b3c3-6106abbd5481': {'query': 'What was the reasoning of Deputy President Hack regarding the determination that money becomes income for the employee\\'s \"own use and benefit\" according to the Act?', 'case_id': 'Case1136'}, '62a8f2e0-359b-4afb-a7a9-a4c30ee8182d': {'query': 'What specific breaches of the Companies (New South Wales) Code were considered in the case of Corporate Affairs Commission (NSW) v Transphere Pty Ltd?', 'case_id': 'Case3916'}, '22aef275-8595-4151-b0e0-aeb3cc73fda1': {'query': 'What was the reason provided by Young J for declining a declaration in the case discussed, and how does it compare to the present case?', 'case_id': 'Case3916'}, 'f7d08221-502e-4244-83c5-ad3fd4b43fdd': {'query': 'What specific actions is the fifth defendant permanently restrained from taking according to the orders made by Young J in the case of Corporate Affairs Commission (NSW) v Transphere Pty Ltd?', 'case_id': 'Case3916'}, 'aade3c92-d19a-4aef-bce9-5da29da330a2': {'query': 'What were the specific actions that the fifth defendant was restrained from performing in relation to financial products or financial services according to the Corporations Act 2001?', 'case_id': 'Case3916'}, '350d4d41-385a-420d-ac8b-4209e720072f': {'query': 'What was the case outcome for the Corporate Affairs Commission (NSW) v Transphere Pty Ltd case?', 'case_id': 'Case3916'}, '2b2e9906-0098-4ce7-9c23-2c0b0a7d4570': {'query': 'What specific powers identified in section 477 of the Corporations Act 2001 (Cth) are applicable to the winding up of the scheme in the case of Corporate Affairs Commission (NSW) v Transphere Pty Ltd?', 'case_id': 'Case3916'}, '433c2853-1442-4a8a-8492-bcb327713fa8': {'query': 'What specific obligations were imposed on the fifth defendant regarding his passport and travel during the period of bankruptcy?', 'case_id': 'Case3916'}, '5763ed98-e2cc-4f21-bd4e-900cccef4ee4': {'query': 'What was the purpose of the \"FUELbanc\" scheme as described in the judgment of the case involving Transphere Pty Ltd?', 'case_id': 'Case3916'}, '3093206e-46fb-413f-925e-32757e309e27': {'query': 'What was the role of the Australian Securities & Investments Commission in the case involving Fuelbanc Australia Limited and the other defendants?', 'case_id': 'Case3916'}, '840350b8-67f6-4e38-9b98-2bda44cd7f70': {'query': 'How does the distinction between the purposes of the State Act and the Commonwealth Act in the New South Wales v Commonwealth (Hospital Benefits Case) illustrate the principle that inconsistency cannot arise when fields are different?', 'case_id': 'Case19746'}, 'cd477b94-db27-4ff8-9602-481608db3e0e': {'query': 'What is the impact of the State Act on employers\\' contributions to long service leave for employees under the federal industrial instruments according to the case \"New South Wales v Commonwealth (Hospital Benefits Case) [1983] HCA 8\"?', 'case_id': 'Case19746'}, '4d82882c-34c2-4538-8a22-415f1a0506ce': {'query': 'What clarification did Brennan J provide regarding the limitations of section 16(1)(d) in the context of making orders against parties in litigation in Johns v Australian Securities Commission?', 'case_id': 'Case8690'}, '4eddd71b-e81d-48a1-b540-649e23ac7627': {'query': 'What specific conclusion did Lindgren J reach regarding the requirements for establishing a \"right\" to an injunction under section 16(1)(d) of the ADJR Act in the case of Johns v Australian Securities Commission?', 'case_id': 'Case8690'}, '663f272d-13f7-4002-be11-e0fcf9f26291': {'query': 'What was the view expressed by Gray J in the appeal regarding the existence of ministerial declaration powers in the case of Williams v Minister for the Environment and Heritage?', 'case_id': 'Case8690'}, 'a03bba30-de35-4a6d-ba5f-ec0067f0399a': {'query': 'What specific provision of the Judiciary Act does the case \"Johns v Australian Securities Commission\" invoke to confer jurisdiction on the court?', 'case_id': 'Case8690'}, '74b5072f-07c0-49db-b6eb-e839f9389e7b': {'query': 'What specific aspects of expert evidence were criticized in the judgment referenced from Evans Deakin Pty Ltd v Sebel Furniture Ltd [2003] FCA 171?', 'case_id': 'Case12988'}, '45d3736c-f442-43ba-b068-acf702a0b0cd': {'query': 'How does the affidavit of Mr. Stokoe differ from the litigation support reports discussed in the context of the case title \"Makita (Australia) Pty Ltd v Sprowles [2001] NSWCA 305\"?', 'case_id': 'Case12988'}, 'd4d5f81e-fbb4-4fad-8ccc-b8fd62378723': {'query': 'What specific factors did the primary judge in Jetopay consider permissible to examine when evaluating the content of an expert report?', 'case_id': 'Case12988'}, '2f4a1b45-3912-401b-93e0-4e772b3c094e': {'query': 'What specific evidence is required to establish that an author of a report has specialised knowledge in relation to a particular subject, as outlined in the case of Makita (Australia) Pty Ltd v Sprowles?', 'case_id': 'Case12988'}, '6f28bb21-7335-408d-a58d-75c4d0c7cdfe': {'query': 'What specific legal issues were discussed in the case Makita (Australia) Pty Ltd v Sprowles [2001] NSWCA 305?', 'case_id': 'Case12988'}, 'f2edc785-1e16-4b23-8c2e-9e759ccd3e60': {'query': 'What were the main conclusions expressed by Priestley JA regarding the admissibility of expert evidence in the Makita (Australia) Pty Ltd v Sprowles case?', 'case_id': 'Case12988'}, 'fad94a8a-b68b-46f6-a299-97ca1a2023b1': {'query': 'What essential element did Powell JA conclude was not established by the respondent at trial in the case of Makita (Australia) Pty Ltd v Sprowles?', 'case_id': 'Case12988'}, '65899c8e-bc6b-4cb4-ab46-eafe8ca570c3': {'query': 'What specific criteria must the court be satisfied with to determine the admissibility of an expert opinion in the case of Makita (Australia) Pty Ltd v Sprowles?', 'case_id': 'Case12988'}, '876efaa7-19a4-4e1c-95b0-436a92b63c6c': {'query': 'What does section 57(1) of the Evidence Act stipulate regarding the determination of the relevance of evidence in the context of the Makita (Australia) Pty Ltd v Sprowles case?', 'case_id': 'Case12988'}, 'c92cf3e8-d74e-41a3-8c13-5dc7e526838f': {'query': 'What was the outcome of the case titled \"Makita (Australia) Pty Ltd v Sprowles [2001] NSWCA 305\"?', 'case_id': 'Case12988'}, '3b268c02-5853-43fe-ba83-734e1819c646': {'query': 'What standard of proof is applied for the admissibility of expert evidence according to Section 57(1)(b) in the case of Makita (Australia) Pty Ltd v Sprowles?', 'case_id': 'Case12988'}, '735f40a9-2daa-4416-ba7d-8dcde4ab2369': {'query': 'What is the trial judge\\'s standard for determining the admissibility of expert evidence in the case of \"Makita (Australia) Pty Ltd v Sprowles\"?', 'case_id': 'Case12988'}, 'af44261b-c3c6-4eb6-81bb-10e0a30446ea': {'query': 'What guidelines for expert witnesses are referenced in the case Makita (Australia) Pty Ltd v Sprowles regarding the admissibility of opinions based on specialised knowledge?', 'case_id': 'Case12988'}, 'e75e3c54-31c1-4e53-bbf8-bfede4d8c161': {'query': \"What specific evidence did Weinberg and Dowsett JJ refer to when addressing the admissibility of Dr Beaton and Ms Strachan's evidence in the context of the Makita (Australia) Pty Ltd v Sprowles case?\", 'case_id': 'Case12988'}, '16c533a6-3f53-4680-8983-bd0d5c7839a6': {'query': 'What was the case outcome for Makita (Australia) Pty Ltd v Sprowles [2001] NSWCA 305?', 'case_id': 'Case12988'}, 'e7c0c0ea-ba6b-4080-a2d6-f696f9432667': {'query': 'What did his Honour conclude about the basis rule in relation to section 79 of the Evidence Act while discussing the case of Makita (Australia) Pty Ltd v Sprowles?', 'case_id': 'Case12988'}, '053f31ee-e37d-4962-b363-5d50b157b961': {'query': 'How was expert evidence treated in the appeal of BHP Billiton Iron Ore v National Competition Council as discussed in relation to the case Makita (Australia) Pty Ltd v Sprowles?', 'case_id': 'Case12988'}, '487992c2-2248-45f7-9b8b-f4865401cb60': {'query': 'What principles regarding the weight of expert opinions based on specialized knowledge are discussed in the case of Makita (Australia) Pty Ltd v Sprowles [2001] NSWCA 305?', 'case_id': 'Case12988'}, '0f5fb55f-bea3-4f77-9629-62ed19ca3714': {'query': 'What was the central issue regarding the admissibility of expert non-opinion evidence in the case of Makita (Australia) Pty Ltd v Sprowles?', 'case_id': 'Case12988'}, '1db2000c-7a16-4f70-8ac1-548047ae8f03': {'query': 'What was the outcome of the case Makita (Australia) Pty Ltd v Sprowles [2001] NSWCA 305?', 'case_id': 'Case12988'}, '4b7c02fa-3fbf-407b-9279-f2ca9ea57db5': {'query': \"What test did Mr. Catterns claim to have satisfied in the case of Makita (Australia) Pty Ltd v Sprowles, and what was the court's perspective on that claim?\", 'case_id': 'Case12988'}, '6a60d5db-da6f-404f-8b65-1d8ef34b7c3e': {'query': \"What proposition is Mr. Stokoe putting forward regarding the choices of customers in relation to his company's invention in the case of Makita (Australia) Pty Ltd v Sprowles?\", 'case_id': 'Case12988'}, 'af17fcd4-06da-4a32-bf17-716b07113cd0': {'query': 'What specific proposition is Mr. Stokoe seeking to put forth in the case of Makita (Australia) Pty Ltd v Sprowles?', 'case_id': 'Case12988'}, '97adf53e-e621-4360-a168-503f7520a510': {'query': \"What was the basis for the Full Court's view that the Minister's determination regarding adverse effects was not subject to merits review?\", 'case_id': 'Case23772'}, 'e4c5dc6c-87e7-4ca9-b290-3f332a34c26e': {'query': 'What was the date of the judgment in the case \"Minister for Environment and Heritage v Queensland Conservation Council Inc\"?', 'case_id': 'Case23772'}, '110d5b10-ac01-4224-ba0a-54696461bc43': {'query': \"What overriding principle did Clarke JA emphasize in relation to the court's discretion to grant or refuse leave to recall a witness in Brown v Petranker (1991)?\", 'case_id': 'Case423'}, '4f43c5aa-c59b-4a6c-900b-051a455e7e13': {'query': 'What factors mitigate confusion among consumers purchasing bourbon products, as described in the case?', 'case_id': 'Case6103'}, 'dbdd678c-b0a6-4c3a-a5f2-4745f7b87064': {'query': 'What was the basis for the Full Court\\'s decision in favor of Rosemount regarding the distinctive nature of the marks \"Hill of Grace\" and \"Hill of Gold\" in the case CA Henschke & Co v Rosemount Estates Pty Ltd?', 'case_id': 'Case6103'}, '406c662e-30e5-4c74-99c6-1e30303ca523': {'query': \"How did the marketing and description of wines, as discussed in CA Henschke & Co v Rosemount Estates Pty Ltd, influence the court's decision regarding the likelihood of confusion between the two marks?\", 'case_id': 'Case6103'}, 'fdc182d1-2aed-4617-9080-ab9ec0588fc7': {'query': 'What principle did Madgwick J adopt in the case of NAJT v Minister for Immigration and Multicultural and Indigenous Affairs regarding the granting of leave to argue an abandoned ground of appeal?', 'case_id': 'Case24491'}, '712ba863-b584-4f69-ae40-c81f6230a554': {'query': \"What considerations did Madgwick J identify as relevant in exercising the Court's discretion to grant leave to rely on new grounds in the case of NAJT v Minister for Immigration and Multicultural and Indigenous Affairs?\", 'case_id': 'Case24491'}, 'c532a7e2-f9dc-48e4-af7b-c9849fd91f5a': {'query': \"What was the Minister's position regarding the potential prejudice of granting leave in the case of NAJT v Minister for Immigration and Multicultural and Indigenous Affairs?\", 'case_id': 'Case24491'}, '695c5ba1-e816-48d4-aaf9-2f8b6e1018a3': {'query': 'What factors do the parties agree should be considered by the Court in determining whether to make an order under rule 1 in the case Woodlands v Permanent Trustee Company Limited?', 'case_id': 'Case24610'}, 'a8c372ec-4eaf-47d5-8fe7-902c7c511048': {'query': 'What specific reasons did Mr. Ferguson provide for his concerns about pursuing the litigation in the case of Woodlands v Permanent Trustee Company Limited?', 'case_id': 'Case24610'}, 'a2fa49f2-fb29-4463-90e5-5d7ad4263deb': {'query': 'What considerations did the Court note regarding the awarding of costs in public interest litigation in the case of Woodlands v Permanent Trustee Company Limited?', 'case_id': 'Case24610'}, '35596906-3622-46bc-9534-94ae55c0d92d': {'query': 'What novel questions have been raised in the pleadings of the case Woodlands v Permanent Trustee Company Limited regarding the reasonableness of the ITC?', 'case_id': 'Case24610'}, 'ec9efaf3-4fe1-4526-840b-055513c97073': {'query': 'What was the outcome of the case \"Woodlands v Permanent Trustee Company Limited (1995) 58 FCR 139\"?', 'case_id': 'Case24610'}, 'ef47ab58-f987-4e13-9e09-cf38b76c3eb0': {'query': 'What type of evidence are the applicants in the case Woodlands v Permanent Trustee Company Limited intending to adduce to establish the reasonableness of the ITC?', 'case_id': 'Case24610'}, '73434707-9d65-4f28-b3f7-503c4e04652c': {'query': 'What is the maximum amount of recoverable costs discussed in the case Woodlands v Permanent Trustee Company Limited (1995) 58 FCR 139?', 'case_id': 'Case24610'}, '331b4098-3b35-4db1-8bef-d699670e2576': {'query': 'How does the ruling in John Fairfax & Sons Ltd v Cojuangco impact the understanding of the newspaper rule in the context of defamation actions?', 'case_id': 'Case12081'}, 'ec8a6ef9-0e9f-4896-9d45-1ee8932d7e77': {'query': 'What was the nature of the observation made regarding the application for preliminary discovery in the case of John Fairfax & Sons Ltd v Cojuangco?', 'case_id': 'Case12081'}, 'f9d1d482-df17-4d51-8f4f-ed0394f31035': {'query': 'What did the High Court conclude about the reasonableness of the confidentiality agreement in the case of Maggbury Pty Ltd v Hafele Australia Pty Ltd?', 'case_id': 'Case13115'}, '484a8c86-2c63-4be4-b88e-f9e76858d525': {'query': 'What reasons did John Krueger have for demanding a confidentiality agreement from Camerons during their meeting?', 'case_id': 'Case13115'}, '4990891c-7e50-46e1-8874-a7f5dd4a9328': {'query': 'What was the nature of the agreement between Krueger and Camerons regarding the confidentiality of the Krueger Concept?', 'case_id': 'Case13115'}, 'b3a72115-016f-4c1c-ad44-5e0518f3f934': {'query': 'What reasons did Camerons provide for arguing that Vawdrey won the contract, and how were these reasons evaluated in relation to the disclosure of confidential information?', 'case_id': 'Case13115'}}\n", + "Generated mixed qs 0\n", + "0.5316455696202531 0.7278481012658228\n", + "Filled cited db 0\n", + "Generated cited qs 0\n", + "Filled mixed db 1\n", + "{'1127373f-d1c7-46dd-95d6-a9555bf75fdb': {'query': 'What specific provisions of the Native Title Act (NTA) were examined in the case of Wilson v Anderson regarding compensation for the extinguishment of native title rights?', 'case_id': 'Case9780'}, 'cd742380-a831-4710-b493-d7a43c21bd89': {'query': 'What statutory criteria must be applied to determine issues of extinguishment under s 23J in relation to the Racial Discrimination Act 1975 (Cth)?', 'case_id': 'Case9780'}, '2d02ea6c-fa5d-4444-aa82-f4588e816a66': {'query': \"What was the significance of s 10(1) of the Racial Discrimination Act as highlighted in the case of Wilson v Anderson regarding native title holders' rights?\", 'case_id': 'Case9780'}, '6c5e82d2-4ad7-4ca5-9c77-d35f9efe12c6': {'query': 'What is the significance of the date 1 January 1994 in relation to the recovery of compensation for native title holders as outlined in the case of Wilson v Anderson?', 'case_id': 'Case9780'}, 'aeafb30a-4701-4868-b450-983648b070e1': {'query': 'What was the case outcome for Wilson v Anderson [2002] HCA 29?', 'case_id': 'Case9780'}, 'fd1874fb-91b2-4840-9113-6c5b8113fbaa': {'query': 'How does the case of Wilson v Anderson interpret the relationship between native title rights and interests and statutory land grants?', 'case_id': 'Case9780'}, 'edddcb5c-3714-4db6-b8fb-93d149402409': {'query': 'What does Section 23G(1)(b)(i) of the NTA state regarding the relationship between non-exclusive possession acts and native title rights?', 'case_id': 'Case9780'}, '4a7d2ed9-5e8a-4fb5-aa32-8e1db78eaaaf': {'query': 'How does the RD Act interact with post-1975 grants in terms of extinguishing native title rights and interests, as discussed in Wilson v Anderson?', 'case_id': 'Case9780'}, '456ae836-ce1a-4b5b-9d66-eca781be6c08': {'query': 'What did Gaudron, Gummow, and Hayne JJ state regarding the effect of s 23J on the entitlement to compensation for native title holders in relation to statutory extinguishment?', 'case_id': 'Case9780'}, '23160a70-2505-46d2-99ba-382e6ee75da0': {'query': 'What was the outcome of the case Wilson v Anderson as recorded in the document?', 'case_id': 'Case9780'}, '839c56d9-7be7-4ce1-b004-31ecb1d21650': {'query': 'What entitlement to compensation does section 23J of the NTA create in cases involving acts validated by section 14 of the NTA, as discussed in the case of Wilson v Anderson?', 'case_id': 'Case9780'}, 'd38a4317-7507-4722-846a-9227218af106': {'query': 'What is the significance of s 23B(9A) in relation to past acts and exclusive possession in the context of the case Wilson v Anderson?', 'case_id': 'Case9780'}, 'b9605d22-2dc0-474b-8649-1249a6365c74': {'query': 'What is the role of the RD Act in determining the validity of public works acts in the case of Wilson v Anderson?', 'case_id': 'Case9780'}, '075d047d-74fb-4bd7-b47e-315e4c729e73': {'query': \"What was the purpose of enacting Section 31A of the Federal Court Act in relation to the High Court's decision in General Steel Industries Inc v Commissioner for Railways (NSW) [1964] HCA 69 ; (1964) 112 CLR 125?\", 'case_id': 'Case23313'}, 'e2d9551f-5ac7-4ec8-95df-644f92a2f076': {'query': 'How does the bill mentioned in General Steel Industries Inc v Commissioner for Railways (NSW) [1964] HCA 69 empower federal courts to handle unmeritorious matters?', 'case_id': 'Case23313'}, 'b08e49cd-644a-4f1d-960b-a40f32157227': {'query': 'What was the reason given by the First Applicant for the delay in filing the Application for Leave to Appeal to the Court?', 'case_id': 'Case10694'}, '2dada0a7-eff2-437d-81d8-948f8aa7aab5': {'query': 'What was the relationship between the person to whom a \"fee\" was paid and the parties in the case titled \"SZDGN v Minister for Immigration & Multicultural & Indigenous Affairs [2004] FCA 1543\"?', 'case_id': 'Case10694'}, '907bf4bd-b2d5-41a4-8c71-57191673dd07': {'query': 'What specific issues was the appellant entitled to raise at the hearing before Rimmer FM concerning the National Personal Insolvency Index?', 'case_id': 'Case3975'}, 'e48256d4-1a3b-448e-a198-8d3447413961': {'query': 'What was the date on which the primary judge made the sequestration order in the case referenced?', 'case_id': 'Case3975'}, '8f275501-9b76-4d7b-96fd-2edb31423c12': {'query': 'What specific evidence did the appellant fail to provide to challenge the finding of a final debt in the case associated with \"French v Wilcox [2001] FCA 95\"?', 'case_id': 'Case3975'}, '447961fc-9066-47dd-831f-8e0d788ad0b3': {'query': 'What were the specific grounds considered together in the Original Notice of Appeal for the case French v Wilcox [2001] FCA 95?', 'case_id': 'Case3975'}, '5e0a5196-a64c-4ce9-80fb-c9e4978cadad': {'query': \"What was the anticipated duration of Mr. Hem's employment with the company, and why was this significant in determining the notice period for termination?\", 'case_id': 'Case11191'}, '06af01df-5ec0-46e5-be59-5b7a2ed95dd3': {'query': 'What was the amount of the further security that the respondents moved for on 24 November 2006?', 'case_id': 'Case1821'}, '2fda2104-63e9-4317-a6ba-8b32923eb238': {'query': 'What erroneous assumption did the applicant make regarding the remaining number of days for the trial to be completed?', 'case_id': 'Case1821'}, 'e842dc09-953b-4b99-8f70-e5b933c9a90f': {'query': 'What was the total amount in costs for the trial in the case of Bryan E Fencott and Associates Pty Ltd v Eretta Pty Ltd?', 'case_id': 'Case1821'}, 'd48ac048-d3e8-44f0-abb7-0bd535284693': {'query': \"What is the total amount of security for costs that the Court may order based on Mr. Graham's evidence?\", 'case_id': 'Case1821'}, '89cdc2fa-71d1-498f-a645-71bbfa1510e8': {'query': 'What was the key legal principle that distinguished the case of Bryan E Fencott and Associates Pty Ltd v Eretta Pty Ltd in 1987?', 'case_id': 'Case1821'}, 'd617ba5f-59c6-4cda-bb60-53a2413a1e37': {'query': 'What specific role do the affidavits filed by the respondents play in relation to their previous applications for security for costs in the case discussed?', 'case_id': 'Case1821'}, 'ee38fa96-c4ed-4088-8846-b780e5ed4cb1': {'query': 'What is Mr. Graham\\'s expert opinion on the likely further duration of the trial as stated in the case \"Bryan E Fencott and Associates Pty Ltd v Eretta Pty Ltd (1987) 16 FCR 497\"?', 'case_id': 'Case1821'}, 'd4f6f312-0b22-4d5b-930e-890b05bf03ee': {'query': \"What estoppel arose from the respondent's failed application for security for costs in relation to Citrus Queensland Pty Ltd v Sunstate Orchards Pty Ltd (No 3) [2006] FCA 1498?\", 'case_id': 'Case1821'}, '22fe928a-0828-482c-ab31-6b861cbb57b1': {'query': \"What specific legal principles were distinguished in the case of Bryan E Fencott and Associates Pty Ltd v Eretta Pty Ltd regarding the entitlement of defendants to seek an order for security when a corporate plaintiff's impecuniosity is established?\", 'case_id': 'Case1821'}, '2603af23-a0c3-4cb0-b4df-0ee1ea2f489a': {'query': 'What was the case outcome for Bryan E Fencott and Associates Pty Ltd v Eretta Pty Ltd?', 'case_id': 'Case1821'}, '2a2287e6-2d9b-4a98-97c1-4feeb0204a37': {'query': \"What was the significance of the Full Court of the Supreme Court of Queensland's explanation in Harpur v Ariadne regarding the application of s 1335 of the Corporations Act in the context of corporate insolvency?\", 'case_id': 'Case1821'}, '9368886f-d135-4237-881a-705651318517': {'query': 'What security for costs amount was ordered to be paid by the first and third applicants in the case of Sunstate Orchards Pty Ltd v Citrus Queensland Pty Ltd?', 'case_id': 'Case1821'}, 'f6260740-6a7e-4f3f-9651-0b48c06ea176': {'query': \"What was the primary factor influencing the court's discretion to order security for future costs in the case discussed in the context?\", 'case_id': 'Case1821'}, '5bb95212-2d75-4977-be5d-10173bf993a3': {'query': \"What specific findings were made regarding the first and third applicants' ability to satisfy a costs order in the case of Bryan E Fencott and Associates Pty Ltd v Eretta Pty Ltd?\", 'case_id': 'Case1821'}, 'b13a348e-badf-4786-ab0b-ee4cc02f4702': {'query': 'What was the outcome of the case titled \"Bryan E Fencott and Associates Pty Ltd v Eretta Pty Ltd\"?', 'case_id': 'Case1821'}, 'f8710cf6-df6b-49a6-a39a-73da47150fc0': {'query': 'What evidence was presented by Mr. Hambleton regarding the financial status of the third applicant in the case of Bryan E Fencott and Associates Pty Ltd v Eretta Pty Ltd?', 'case_id': 'Case1821'}, 'da299794-cb0d-4aa9-b035-cf2123f73b02': {'query': 'What was the daily trial cost Mr. McLellan mentioned for days beyond 10 in the context of the case?', 'case_id': 'Case1821'}, '63b4aad2-eadc-4942-9020-5ca188354ded': {'query': 'What financial evidence was presented to indicate the considerable means of Mr. and Mrs. Tracy in the litigation?', 'case_id': 'Case1821'}, '2a2a6585-13b0-46e6-8ebe-23e82d7ec20a': {'query': 'What reasoning did the court provide in the case of Bryan E Fencott and Associates Pty Ltd v Eretta Pty Ltd regarding the application of security for costs?', 'case_id': 'Case1821'}, 'a92621f4-305b-4f83-9a6c-bea42bb194f9': {'query': 'What was the case outcome in Bryan E Fencott and Associates Pty Ltd v Eretta Pty Ltd?', 'case_id': 'Case1821'}, '20ef675f-1ea2-4f7b-b581-8af6e92bcf6e': {'query': 'What specific legal precedent was referenced in relation to security for costs in the case of Bryan E Fencott and Associates Pty Ltd v Eretta Pty Ltd?', 'case_id': 'Case1821'}, '33bfb27b-29ce-4aa3-86b2-736e0d1e1523': {'query': 'What discretionary issues in the case of Bryan E Fencott and Associates Pty Ltd v Eretta Pty Ltd led to the conclusion that it was not appropriate to award costs for the 10 days of the trial already heard?', 'case_id': 'Case1821'}, 'a98e3ba3-faf9-42ae-b81c-7fa739719615': {'query': 'What reasoning did the court provide for not requiring the first and third applicants to pay security for costs for the 10 days of trial already held?', 'case_id': 'Case1821'}, '12be0a90-44ae-4588-86c4-a1bd42b3b473': {'query': \"What were the reasons for the dismissal of the respondents' application for security for costs regarding the 10 days of the trial in the case of Bryan E Fencott and Associates Pty Ltd v Eretta Pty Ltd?\", 'case_id': 'Case1821'}, '6b8d95fd-dca1-4d73-87c3-3b02b5af91a6': {'query': 'What was the outcome of the case Bryan E Fencott and Associates Pty Ltd v Eretta Pty Ltd?', 'case_id': 'Case1821'}, 'ebe9943c-db21-498b-97aa-35ed267fb979': {'query': 'What specific issues caused delays in the trial proceedings related to the applicants in the case of Bryan E Fencott and Associates Pty Ltd v Eretta Pty Ltd?', 'case_id': 'Case1821'}, 'de4ecd6d-5e67-46d2-9ef5-5c7802e4974f': {'query': 'What is the anticipated duration for the remaining trial days as discussed in the context of the case \"Bryan E Fencott and Associates Pty Ltd v Eretta Pty Ltd\"?', 'case_id': 'Case1821'}, 'b22ad627-98b4-48ca-9652-8b1d90e54337': {'query': 'What was the intended duration for the further hearing days listed in May 2007 as mentioned in the case of Bryan E Fencott and Associates Pty Ltd v Eretta Pty Ltd?', 'case_id': 'Case1821'}, 'b3ff9da8-83c4-41ba-bb58-dcd3d4a559c7': {'query': 'What amount was deemed reasonable for security costs in relation to the remaining days of trial as mentioned in the affidavit of Mr. Graham?', 'case_id': 'Case1821'}, 'c4594d58-79bd-48d3-92c7-fdc40370760b': {'query': 'What was the outcome of the case Bryan E Fencott and Associates Pty Ltd v Eretta Pty Ltd?', 'case_id': 'Case1821'}, 'f2b27c4d-b069-44c3-8f31-23f1395f423c': {'query': 'What specific costs are expected to be incurred by Counsel for the respondents prior to the resumption of the May 2007 hearing in the case of Bryan E Fencott and Associates Pty Ltd v Eretta Pty Ltd?', 'case_id': 'Case1821'}, '25b348c1-23b3-4a8e-a38f-bad6b9df76ff': {'query': 'What is the daily rate for preparation that Mr. McLellan estimates for senior and junior counsel in the case referenced?', 'case_id': 'Case1821'}, '0290e45e-4997-44d8-aafe-f9e366409e16': {'query': 'What factors did the court consider when determining the quantum of costs in Bryan E Fencott and Associates Pty Ltd v Eretta Pty Ltd (1987) 16 FCR 497?', 'case_id': 'Case1821'}, 'e0258030-c9bb-4f41-935f-fa487d032b93': {'query': \"What two central phrases in section 4(3)(f) are crucial for understanding the provisions discussed in the case of Samick Lines Co Ltd v Owners of the 'Antonis P Lemos'?\", 'case_id': 'Case21174'}, 'cfd21697-66f1-4bb2-8433-f625f1a00f87': {'query': \"How did Toro Martinez's argument regarding Direction No 21 relate to the criticisms outlined by Dowsett J in the case Aksu v Minister for Immigration and Multicultural and Indigenous Affairs?\", 'case_id': 'Case1270'}, '26c3d523-8c2f-466d-8626-4e6f4d010982': {'query': 'What discretion is conferred by section 501 in the case of Aksu v Minister for Immigration and Multicultural and Indigenous Affairs [2001] FCA 514?', 'case_id': 'Case1270'}, '3d480199-84c4-4a0c-ba4b-f0f9f9c5191d': {'query': 'What was the reason for the inordinate delay between the Tribunal decision in 2001 and the application for review by the Federal Magistrates Court in 2007 in the case of Branir Pty Ltd v Owston Nominees (No 2) Pty Ltd?', 'case_id': 'Case12593'}, '18c7da0b-e4b1-439e-b4e8-439c15c47507': {'query': 'What was the agreed penalty amount in the case Comcare v National Gallery of Australia [2007] FCA 1548?', 'case_id': 'Case17200'}, 'e23eb7ee-9343-463b-8617-8fa44d65f0a6': {'query': 'What considerations does the court take into account when determining the imposition of a pecuniary penalty in the case of Comcare v National Gallery of Australia?', 'case_id': 'Case17200'}, 'fd1558c3-c99b-47b9-9a40-8ebfb5e79e44': {'query': 'What key propositions regarding the determination of penalties under s 76 of the TP Act were highlighted by the Full Court in the case of Mobil Oil, as referenced in the decision of Comcare v National Gallery of Australia?', 'case_id': 'Case17200'}, '04c091f7-925a-4e69-8c6c-10af80d314e6': {'query': \"What role does the regulator's views play in the Court's determination of an appropriate penalty in the case of Comcare v National Gallery of Australia?\", 'case_id': 'Case17200'}, '82a682af-6404-4dc0-918f-0a54e624c8e8': {'query': 'What was the case outcome in Comcare v National Gallery of Australia [2007] FCA 1548?', 'case_id': 'Case17200'}, 'f6ff6475-7317-47c6-9e94-e64100834caf': {'query': 'What figure did the Court find appropriate to consider in the case of Comcare v National Gallery of Australia [2007] FCA 1548?', 'case_id': 'Case17200'}, '6430e62d-a9ba-4e7b-bf61-9d2985b7893d': {'query': 'What must be established for the relocation principle to be engaged in cases of refugee status denial, as discussed in the context of SZATV v Minister for Immigration and Citizenship?', 'case_id': 'Case25052'}, 'ecf84195-1f6a-4d45-a158-e8d285159254': {'query': 'What did the High Court determine regarding the reasonableness of relocating to a region without an appreciable risk of persecution in the case of SZATV v Minister for Immigration and Citizenship?', 'case_id': 'Case25052'}, '7de57af9-f2b4-411e-91e1-4a38b0619ee6': {'query': 'What specific circumstances of the applicant for refugee status were considered in the case of SZATV v Minister for Immigration and Citizenship regarding the impact of relocating within their country of nationality?', 'case_id': 'Case25052'}, 'c3c8532a-9590-495f-ab8e-57bed5cb8dc6': {'query': 'What specific compliance with Section 477(1) was achieved in the case of Minister for Immigration & Citizenship v SZKKC, as indicated by the acknowledgments made by the Applicant?', 'case_id': 'Case7953'}, 'd7e495fb-cf51-40db-9ce6-78e49b5595e4': {'query': 'What specific conclusion did the Federal Magistrates Court reach regarding the commencement of proceedings in the case of Minister for Immigration & Citizenship v SZKKC [2007]?', 'case_id': 'Case7953'}, '88d77080-7b13-4ebc-9423-b3d721fa05ab': {'query': \"What was the date the applicant commenced proceedings, and why was this significant for the Court's jurisdiction to hear the application?\", 'case_id': 'Case7953'}, '6b17c315-4e7d-40a8-ac50-4a2357dba698': {'query': 'What was the date when the Applicant commenced proceedings in the Court seeking leave to appeal the decision of the Federal Magistrates Court?', 'case_id': 'Case7953'}, 'dde08718-5a29-4792-b022-2cf8f7058631': {'query': 'What specific elements were lacking in the Affidavit filed on behalf of the Applicant in the case \"Minister for Immigration & Citizenship v SZKKC [2007] FCAFC 105\"?', 'case_id': 'Case7953'}, 'e8da54ee-4c21-43a5-acf4-be064e3d8970': {'query': 'What does the case Commonwealth Trading Bank v Inglis [1974] HCA 17 establish regarding the power of courts to prevent the abuse of their process?', 'case_id': 'Case24634'}, 'ea8f5727-e53f-467b-bb3d-7a4236042369': {'query': 'What specific discretion under section 86 was discussed regarding the investigative referral in the case of Kelly v Daniel [2004] FCAFC 14?', 'case_id': 'Case19710'}, '0612ba34-de2f-4b45-9495-ea16f2eeb7e7': {'query': 'What significant unresolved issues between Dr Carrick and the Commission were indicated by the written communications from 14 December 2000 to 12 June 2002?', 'case_id': 'Case19710'}, 'ca3de495-7fdb-436c-ac3d-722ff74afcb8': {'query': 'What specific consideration did the Commission fail to take into account in the case of Kelly v Daniel [2004] FCAFC 14 regarding previously communicated decisions?', 'case_id': 'Case19710'}, '48173aba-67e5-4c69-926b-14caf7d4b76c': {'query': 'What was the essential requirement identified by the High Court in Ainsworth v Criminal Justice Commission regarding the decision-making process of the Director and the Committee?', 'case_id': 'Case10135'}, '3aea4799-df1f-4265-b42a-ada778e05278': {'query': 'What was the significance of the reports prepared by Dr. Davidson and Dr. Dawson in the decision-making process of the Committee in the case of Ainsworth v Criminal Justice Commission?', 'case_id': 'Case10135'}, '5239ff4b-39a1-4555-aef6-69d4d1921351': {'query': \"What evidence did the Applicant present to challenge the Director's decision regarding the medical records in the case of Ainsworth v Criminal Justice Commission?\", 'case_id': 'Case10135'}, 'ca5845d8-9fd0-4b12-b90b-01c4ddc971c2': {'query': 'What was the role of Dr. Phan in relation to the patient records for the item 23 services in the random sample discussed in Ainsworth v Criminal Justice Commission?', 'case_id': 'Case10135'}, '068a18ea-628d-4366-873e-e1fcc5517553': {'query': \"What did French CJ conclude about Mr. Priestley's allegations regarding previous orders in the case of Priestley v Godwin?\", 'case_id': 'Case9275'}, '140b12f5-3769-4db0-9f26-b88a80a5d08f': {'query': \"What was Mr. Priestley's opinion regarding his obligation to provide a further statement of reasons following the decision of 17 October 2007?\", 'case_id': 'Case9275'}, '036784a5-d857-404c-be3a-b32c84965593': {'query': 'What does section 27 of the Federal Court of Australia Act 1976 (Cth) confer regarding the discretion of receiving further evidence on appeal as referenced in Sobey v Nicol and Davies [2007] FCAFC 136?', 'case_id': 'Case7460'}, 'cc5c9cda-c320-4fcc-8447-a3d72678e8b0': {'query': 'What burden does a company seeking to resist an order for security have in proving the financial situation of its beneficiaries, according to the ruling in Bell Wholesale Co Ltd v Gates Export Corporation?', 'case_id': 'Case289'}, '684b456b-88d6-40ca-baa5-db2567312d03': {'query': 'What type of remedies are being sought in the case of Bell Wholesale Co Ltd v Gates Export Corporation, as indicated in the context?', 'case_id': 'Case289'}, '645a5fe5-5511-4255-a22f-923186f6537e': {'query': 'What concept employed by the parties in their consent orders did the respondent argue eschewed the broader concept of deceptive similarity as explained in The Shell Co of Australia Limited v Esso Standard Oil (Australia Limited) [1961] HCA 75?', 'case_id': 'Case13690'}, '21795f8c-b663-49bb-8346-4e971cf77a40': {'query': \"What concept related to trademarks did the court clarify in its judgment regarding 'substantial identity' in The Shell Co of Australia Limited v Esso Standard Oil (Australia Limited)?\", 'case_id': 'Case13690'}, '10d35e50-6822-4fe2-8ab3-bc45c50d6bfa': {'query': \"What specific legal concept was identified in the proceedings regarding the interpretation of the words 'substantially identical' in order 1 of The Shell Co of Australia Limited v Esso Standard Oil (Australia Limited)?\", 'case_id': 'Case13690'}, '9658cc75-1c59-4239-b8a6-6d8abaa363dc': {'query': 'What specific date does the heads of agreement signed by the respondent relate to in the case of The Shell Co of Australia Limited v Esso Standard Oil (Australia Limited)?', 'case_id': 'Case13690'}, '48895f2c-f210-4d40-99ac-e316b76eb6aa': {'query': 'What were the jurisdictional errors claimed by the Tribunal in the SZKAW v Minister for Immigration & Anor case?', 'case_id': 'Case3934'}, '9329e108-a4b7-4c7f-aa34-b6848ef81650': {'query': 'What specific error did the Applicant claim was made by the learned Federal Magistrate in the case SZKAW v Minister for Immigration & Anor [2007] FMCA 1763?', 'case_id': 'Case3934'}, 'f50d2f77-3010-4aa0-9771-9557541343e8': {'query': 'What specific reasons did the applicant provide for requesting another hearing before the Refugee Review Tribunal in the case of SZKAW v Minister for Immigration & Anor?', 'case_id': 'Case3934'}, 'aefcad11-472b-4496-b5e0-17e1165c52c9': {'query': 'What principle from the case of Minnesota Mining and Manufacturing Company v Beiersdorf (Australia) Limited is emphasized regarding the understanding of claims in patent law?', 'case_id': 'Case16862'}, '2a9b4a5f-d3c9-48c2-b9da-a2ededeaf58c': {'query': 'What role does claim 14 play in the context of the interpretation of the patent claims as discussed in the case of Minnesota Mining and Manufacturing Company v Beiersdorf (Australia) Limited?', 'case_id': 'Case16862'}, '4098ac1e-32ee-4ade-ae70-7b6126df62df': {'query': \"What amendment was made to the patent on 1 November 2006, and how does Mr. Hunter's evidence relate to the scope of claims 1 to 13 in comparison to claim 14?\", 'case_id': 'Case16862'}, '110d845d-1e3f-491f-876d-646fa997542d': {'query': 'What essential integer of the monopoly is required by the language of claim 13 in the case of Minnesota Mining and Manufacturing Company v Beiersdorf (Australia) Limited?', 'case_id': 'Case16862'}, '81a82677-3a00-4b93-b902-a83fe836b8f1': {'query': 'What was the outcome of the case Minnesota Mining and Manufacturing Company v Beiersdorf (Australia) Limited [1980] HCA 9?', 'case_id': 'Case16862'}, 'b8e33bce-6374-4de5-a023-daae68eefacc': {'query': 'What amendments were necessary to claims 1 to 13 in order to extend their integers to multiple separate springs of alternate winding in the case of Minnesota Mining and Manufacturing Company v Beiersdorf (Australia) Limited?', 'case_id': 'Case16862'}, '8a0fe327-428c-4abd-9106-bc087d1e46da': {'query': 'What specific claims were deemed unjustifiable in the context of the correspondence between SBriggs and Uniline regarding patent infringement?', 'case_id': 'Case16862'}, '4ab1cffc-f047-46df-954b-41dbdcf69feb': {'query': 'What specific features of claim 13 did Mr. Hunter find lacking in the invention disclosed by US Patent 643?', 'case_id': 'Case16862'}, '604ce81d-3538-422f-9e3b-3a525e799514': {'query': \"What methodological approach did Mr. Hunter challenge regarding Dr. Gilmore's determination of anticipation in relation to the claims of US Patent 643?\", 'case_id': 'Case16862'}, '5eb2294c-4add-4193-9c74-823e2046131e': {'query': 'What specific prior art was cited in the case of Minnesota Mining and Manufacturing Company v Beiersdorf (Australia) Limited [1980] HCA 9?', 'case_id': 'Case16862'}, '6e628073-1442-45d3-af58-e5a15de6b0d1': {'query': 'What shortcomings of prior art clutches are highlighted in the case of Minnesota Mining and Manufacturing Company v Beiersdorf (Australia) Limited regarding variations in frictional drag?', 'case_id': 'Case16862'}, 'a3782d6e-89bf-4437-8c46-839cc2d3c645': {'query': 'What specific elements of claim 13 of the patent in suit are compared to the disclosures of US Patent 643 to determine anticipation?', 'case_id': 'Case16862'}, '45892f9a-cee2-4dc5-a464-4d1e1e4f4739': {'query': 'What considerations must be taken into account to determine if the combination of disclosures in prior art anticipates the combination of claim 13 in the context of the Minnesota Mining and Manufacturing Company v Beiersdorf (Australia) Limited case?', 'case_id': 'Case16862'}, '47c05405-3c4f-4cbe-b409-1235083598eb': {'query': 'What specific advantage does US Patent 643 claim regarding the use of a plurality of springs in a spring clutch compared to prior art?', 'case_id': 'Case16862'}, '04a10daa-afc6-493e-85de-4033ed5a12ad': {'query': 'What was the significant legal issue regarding \"clutches\" in the case of Minnesota Mining and Manufacturing Company v Beiersdorf (Australia) Limited?', 'case_id': 'Case16862'}, 'dcf8ca6f-35b7-4b90-8dba-7cd17dd87d5e': {'query': 'What specific inventive step does the court determine is required to overcome the disadvantages of prior art clutches as discussed in US Patent 643 in relation to claim 13 of the patent in suit?', 'case_id': 'Case16862'}, 'fcb0d7ae-368a-4cb0-a153-11999fc0c252': {'query': \"What must the applicant demonstrate in order to show that he suffered a practical injustice, according to the Minister's submission?\", 'case_id': 'Case9128'}, 'e94c1339-f748-42e0-9377-d8c729965e38': {'query': 'What specific information did the applicant fail to provide to the Minister regarding the cancellation of their visa, as noted in the case \"Re Minister for Immigration and Multicultural and Indigenous Affairs; Ex parte Lam\"?', 'case_id': 'Case9128'}, '73f2106c-48ae-42ff-9bdf-fb9d2e0e27cb': {'query': \"What specific basis did the appellant fail to assert in the case of Minister for Immigration & Multicultural Affairs v Roda Kabail that could meet the 'special reasons' requirement?\", 'case_id': 'Case15755'}, '664f8b22-1f6f-4460-a198-f65f69e39ce4': {'query': \"What were the specific grounds on which the appellant's legal advisers claimed he was a refugee?\", 'case_id': 'Case779'}, 'e089599e-4d3c-483b-9b81-be4fac1fdf6e': {'query': \"What specific act led to the blood feud involving the appellant's family in the case of STCB v Minister for Immigration and Multicultural and Indigenous Affairs?\", 'case_id': 'Case779'}, '8a515bc7-2287-4112-b94c-08ac91d02660': {'query': 'What specific reasons did the Tribunal member provide for disregarding the appellant\\'s claim of fear of persecution based on membership in particular social groups, such as \"male Albanian child\" or \"Kulak family\"?', 'case_id': 'Case779'}, 'dffe83e8-e7ae-447f-b2af-6fd9302698ba': {'query': \"What evidence did the Tribunal consider regarding Uncle Ded's conduct in relation to the appellant's refugee status claim?\", 'case_id': 'Case779'}, 'f8c32829-441f-48f9-b870-9de3451d4f7e': {'query': 'What was the citation for the case STCB v Minister for Immigration and Multicultural and Indigenous Affairs as mentioned in the context?', 'case_id': 'Case779'}, '7c552d14-9d15-4c4c-bd82-c0c96595856a': {'query': 'What did the Tribunal conclude regarding the existence of a social group of \"Albanian householders who had resisted armed encroachment onto their property\"?', 'case_id': 'Case779'}, '4ec88d4d-681a-4015-afcb-59ad3d8aac07': {'query': 'What was the date of the hearing for the case involving Dr. C D Bleby and the Australian Government Solicitor?', 'case_id': 'Case779'}, '84426aba-7bf0-4e8c-997b-6dcd5e7c4909': {'query': \"What were the two main reasons the Northern Territory and the Pastoralists contended that the Full Court's decision should not be followed in the case related to Alyawarr?\", 'case_id': 'Case21147'}, 'de889eea-7f1f-4599-9204-11631de2a93b': {'query': 'What specific legal principles from the case of Wik Peoples v Queensland were cited in relation to the rights of native title holders on lands subject to pastoral leases in the context of De Rose v State of South Australia (No 2)?', 'case_id': 'Case21147'}, '4a9ef505-dc6d-43d5-8f29-fd0868357c08': {'query': 'What is the responsibility of the Defence Security Authority Security Investigative Unit (DSA-SIU) as outlined in paragraph 2.3.4 of the Defence Security Manual?', 'case_id': 'Case19617'}, '7b29dfa9-3d72-42c7-ba7b-61308a769608': {'query': 'What specific sections of the Evidence Act 1995 (Cth) are relevant to the court martial proceedings mentioned in the case Australian Securities and Investments Commission v Edensor Nominees Pty Ltd?', 'case_id': 'Case19617'}, '3a466bd9-a5b0-4c30-b7c5-d2b6e7dba07f': {'query': 'What section of the Judiciary Act defines the jurisdiction of the Federal Court with respect to a limited class of matters mentioned in section 75(iii) of the Constitution as referenced in the case Australian Securities and Investments Commission v Edensor Nominees Pty Ltd?', 'case_id': 'Case19617'}, '0b88073a-a25f-467e-a2a8-135307d7d731': {'query': 'What perspective did Gummow, Hayne, and Crennan JJ express regarding the judicial power exercised by courts martial in the context of Chapter III of the Constitution, as referenced in the case Australian Securities and Investments Commission v Edensor Nominees Pty Ltd?', 'case_id': 'Case19617'}, '443d1b8e-2239-4960-be8a-154892324df5': {'query': 'What legal principles regarding attorney-client communications were established in Minter v Priest and how do they relate to the case of Nederlandse Reassurantie Groep Holding NV v Bacon and Woodrow?', 'case_id': 'Case16047'}, 'd9ed06ec-2028-4dbe-956d-b5c867c1ef5d': {'query': 'What specific propositions were referred to with approval by Allsop J in DSE and Branson J in Wenkart v Commissioner of Federal Police regarding the communication between the client and solicitor?', 'case_id': 'Case16047'}, '870e093b-99c3-42b8-9d02-ef5d636280b4': {'query': 'What specific requirements for the equivalence of conduct in relation to criminality are highlighted in the context of the case referenced in Harris v Attorney-General (Cth) (1994) 52 FCR 386?', 'case_id': 'Case1536'}, 'af8dbc11-e0ed-4daf-982a-80cbfbe994ba': {'query': 'How does the principle established in Hobartville Stud Pty Ltd v Union Insurance Co Ltd relate to the acknowledgment of a defendant giving up the opportunity to recover costs in the context of a Calderbank letter?', 'case_id': 'Case16341'}, '25414263-3d75-47f1-b873-62ffeaef4d40': {'query': 'What aspect of the offer was considered to reflect a genuine compromise of substance according to the context provided?', 'case_id': 'Case16341'}, '8a4235e6-652f-4b48-9a77-27288bb1c123': {'query': \"What prior notice did the applicants have regarding the respondents' intention to call Mr Breed as a witness?\", 'case_id': 'Case16186'}, '3ed3fa70-0b5e-4c84-be15-30a7042e0e38': {'query': 'What were the specific grounds on which the Committee decided to include orlistat in Appendix H in February 2006?', 'case_id': 'Case17247'}, 'a362359b-5d22-49c5-9f4c-dc2c046f0b54': {'query': \"How did the advertising strategy for Xenical during Australian Idol influence the Committee's perspective on the target audience's weight issues?\", 'case_id': 'Case17247'}, '04a58bb2-2e52-4f73-a296-6db8c16945f3': {'query': 'How did the Committee\\'s perception of \"patients with serious and significant weight problems\" influence their decision in the case of Minister for Immigration and Ethnic Affairs v Wu Shan Liang?', 'case_id': 'Case17247'}, '46fe6167-1c20-460b-96b0-ca6ad61b8263': {'query': \"What were the primary Judge's reasons for concluding that the applicant was entitled to an award in the case of Commissioner for Railways for the State of Queensland v Peters?\", 'case_id': 'Case7561'}, 'b34a8d0c-0e9e-4833-8a2c-23579e16f0c6': {'query': 'What specific procedures did the High Court emphasize must be followed by the Compensation Court to ensure accurate fact-finding in the case of Civil Aviation Safety Authority v Central Aviation Pty Ltd?', 'case_id': 'Case7561'}, '12277752-6295-4635-a48c-64409bcd9f39': {'query': 'What principle about providing reasons in judicial decisions is highlighted in the case of Civil Aviation Safety Authority v Central Aviation Pty Ltd [2009] FCA 49?', 'case_id': 'Case7561'}, '616dfaf3-bdeb-42d4-9601-3e2ae6a15a4c': {'query': \"What obligation did the Privy Council imply regarding a person's participation in the management of a company in the case of Tay Bok Choon v Tahansan Sdn Bhd?\", 'case_id': 'Case11243'}, '0699c82a-b2ae-451b-b861-8a69c2a371ce': {'query': 'What relevant principle discussed in the case of Director of Public Prosecutions Cth v Said Khoda El Karhani is highlighted for its importance in determining sentencing?', 'case_id': 'Case21294'}, '148833f9-9ca3-4ee8-84ef-f8b3f1795c81': {'query': 'What specific evidence is required for Unilever to strengthen its prima facie case against Cussons regarding the laundry liquid wash products?', 'case_id': 'Case8454'}, '7c351878-21e5-4b9a-afe9-13b0a4577a1f': {'query': \"What specific claims does Cussons make regarding the performance qualities of Omo Small & Mighty and Surf Small & Mighty compared to Unilever's older products?\", 'case_id': 'Case8454'}, '7ea594fe-c02f-4989-9af3-c954f427c963': {'query': 'What is the basis of Cussons\\' claim regarding the misleading representations of the performance qualities of the liquids in the case \"Australian Broadcasting Corporation v O\\'Neill\"?', 'case_id': 'Case8454'}, '2da31ff3-ffcd-4dd3-81c2-0231a83ace1e': {'query': 'What specific evidence did Cussons present to support their prima facie case against Unilever regarding the equivalence of Omo Small & Mighty to older products?', 'case_id': 'Case8454'}, '1deb4f48-a734-470d-a6cb-a4a9ab8447e1': {'query': 'What was the case outcome in \"Australian Broadcasting Corporation v O\\'Neill [2006] HCA 46 ; (2006) 227 CLR 57\"?', 'case_id': 'Case8454'}, '63acc9b0-a49b-4062-8867-cb41b4497aef': {'query': 'What specific allegations did Unilever make against Cussons regarding the timing of their cross-claim in the context of their market competition?', 'case_id': 'Case8454'}, 'f7c86885-263c-413b-a37d-6c9a531f187b': {'query': 'What specific impacts does Unilever claim would result from the grant of interlocutory relief against it in the context of the cross-claim by Cussons?', 'case_id': 'Case8454'}}\n", + "Generated mixed qs 1\n", + "0.3287671232876712 0.4315068493150685\n", + "Filled cited db 1\n", + "Generated cited qs 1\n", + "Filled mixed db 2\n", + "{'3b56826f-5423-40fd-aeb3-e20572dd6dbd': {'query': 'What reasons were provided for not awarding costs on a solicitor and client basis in the case referenced?', 'case_id': 'Case18207'}, 'c683e1bf-e38b-45ad-bb7c-71d93fe03255': {'query': \"What specific factors did Arc present to support the Court's discretion to award costs against the Intervener in relation to the case of Oil Basins?\", 'case_id': 'Case15204'}, '310e5660-45b6-4672-ace3-494049ad133f': {'query': \"What errors in the formulation of the s 413 orders were corrected by Arc's solicitors in response to Oil Basins' interlocutory application?\", 'case_id': 'Case15204'}, '1875d83e-9a77-41a7-9000-dfe6ad5b5b06': {'query': \"What was the reason behind Oil Basins' delay of over 18 months in commencing proceedings against Arc, as mentioned in the context?\", 'case_id': 'Case15204'}, 'cc0277ac-3cce-442d-81ab-06c9da80448c': {'query': 'What was the purpose of the order proposed by Oil Basins during the hearing on 8 August?', 'case_id': 'Case15204'}, 'bbbe0d97-d74a-4a86-a427-c23b9bb1a7d6': {'query': 'What was the role of the independent expert in the case of Quatro Ltd v Argo Investments Ltd and Others?', 'case_id': 'Case15204'}, '8d2a01c9-333e-41d3-90f0-9613da3bb672': {'query': \"What was the primary concern regarding Oil Basins' application to the Court for an adjournment in the context of the ARC shareholders' voting?\", 'case_id': 'Case15204'}, '3df3ec9d-747b-4d08-9631-6190e9b5fb86': {'query': 'What relief is being sought by the parties in the case of Quatro Ltd v Argo Investments Ltd and Others?', 'case_id': 'Case15204'}, '8973dd07-7148-4a67-a364-488a955ba3a4': {'query': 'What was the reason given by Mr. Bruce for requesting an adjournment in the case of Quatro Ltd v Argo Investments Ltd and Others?', 'case_id': 'Case15204'}, '82792683-7e7b-48d0-ade1-659c041260b9': {'query': \"What was the purpose behind the application for the adjournment related to Mr. David Charles Griffiths' affidavit in the hearing on 8 August 2008?\", 'case_id': 'Case15204'}, '6caf08d0-ef21-4c9d-bcab-a50a101d8251': {'query': \"What specific factors must the Commissioner consider to determine whether it would be 'fair and reasonable' to remit all or part of the GIC according to subsections 8AAG(4)(c) and 8AAG(5)(a)?\", 'case_id': 'Case23015'}, '31d6098f-cb5a-4c3d-89c6-063e8475e494': {'query': \"What principle from the case 'Webb v Commissioner of Taxation (No. 2) [1993] FCA 612' is cited regarding the fairness and reasonableness of tax remission?\", 'case_id': 'Case23015'}, 'e1f00ca2-c08d-476d-92d5-63fcb45b1132': {'query': 'What assurance did Ms. Vinitskaya provide regarding her role as associate general counsel in relation to \"competitive decision-making\"?', 'case_id': 'Case8292'}, '61b666a0-ee10-42d0-a166-2b34294f739b': {'query': 'What challenges are specifically associated with balancing discovery and the protection of trade secrets in the context of in-house counsel as discussed in the case U.S. Steel Corp v United States?', 'case_id': 'Case8292'}, '846b06a1-f6ca-47a0-b3d9-dd623cbfc729': {'query': 'What complication does the author believe the expression \"form and substance\" adds to the test established in Sun Newspapers and Hallstroms Case?', 'case_id': 'Case20645'}, 'b9aba30f-6674-4fcf-a88e-e4964f43aec0': {'query': 'What did Dixon CJ clarify about the automatic vesting of goods under section 229 of the Customs Act in Burton v Honan?', 'case_id': 'Case20133'}, '689530ad-85e6-4def-83e6-1c3851ba8035': {'query': \"What legal provisions were cited in relation to the ship's entry into the Migration Zone in the case of Burton v Honan?\", 'case_id': 'Case20133'}, '053b4892-1e09-4a65-88c7-5dc9f28bda69': {'query': 'How did Davies J interpret the reference to \"inappropriate practice\" in relation to the powers of the Federal Parliament in the case of Yung v Adams?', 'case_id': 'Case9931'}, '095c83b0-2ce4-4b9c-bc07-13b3069829cd': {'query': 'What specific argument does the applicant make regarding the comments of Gibbs J in relation to the regulation of medical practice in the case of Yung v Adams?', 'case_id': 'Case9931'}, '26b73a59-9745-4322-907d-fbc69326f253': {'query': \"What was the crucial distinction made by Gibbs J in the General Practitioners case regarding the regulation of medical practitioners' duties?\", 'case_id': 'Case9931'}, 'fa4d54b3-bfc1-41d4-9798-1897de12a667': {'query': 'What does section 16A(1) require from a medical practitioner when requesting a pathology service, as outlined in the case Yung v Adams?', 'case_id': 'Case9931'}, '462728f4-4ba7-4054-90c2-a36ff3fd11d2': {'query': 'What was the outcome of the case Yung v Adams (1997) 80 FCR 453?', 'case_id': 'Case9931'}, 'b0b82bf6-21d0-4f53-915d-0e0cbae90338': {'query': 'What is the significance of the requirements outlined in s 16A(2) and s 16A(3) regarding medical practitioners and their obligations in the case of Yung v Adams?', 'case_id': 'Case9931'}, '34d2afcf-721c-4017-a05a-06faa890cdde': {'query': 'What did Honour conclude regarding the regulation of medical services in relation to the Medicare Scheme and the PSR Scheme in the case of Yung v Adams?', 'case_id': 'Case9931'}, 'a67912a1-b958-4e09-9244-a3dd98290377': {'query': \"What was the date of the hearing for the applicant's challenge to the constitutional validity of the PSR Scheme?\", 'case_id': 'Case9931'}, 'd603934c-2855-471e-a185-3d59ee2a5d3b': {'query': \"What was the basis for the Tribunal's conclusion that the appellant did not have a well-founded fear of persecution as referenced in the case of SZCIA v MIMA [2006] FCA 238?\", 'case_id': 'Case3447'}, 'e5e17978-f805-45c5-98ce-1e87a508cd15': {'query': 'What legal principle from the case of Antaios Compania Naviera SA v Salen Rederierna AB is referenced regarding contractual construction when there is an inconsistency within a lease?', 'case_id': 'Case24557'}, '8a72c22b-656c-4b43-b291-195ee9f585e3': {'query': 'What are the specific responsibilities of the client in the Forstaff Pty Ltd v Chief Commissioner of State Revenue case when a worker performs duties on their premises?', 'case_id': 'Case10431'}, '2c31aa90-e1c6-4756-9cb1-89228479ac47': {'query': \"What was the basis for His Honour's ruling in Forstaff regarding the existence of a contractual relationship between the worker and the client?\", 'case_id': 'Case10431'}, 'c478495d-7c9b-402c-88a1-d4d3c10acb4a': {'query': 'What were the specific indicia mentioned by His Honour that suggested the existence of a contractual relationship of employment in Forstaff Pty Ltd v Chief Commissioner of State Revenue?', 'case_id': 'Case10431'}, '591c5ee6-f673-4f95-8e0b-e6c0b6bb8344': {'query': 'What is the significance of the legal obligation to pay wages in establishing an employment relationship as discussed in the case of Forstaff Pty Ltd v Chief Commissioner of State Revenue?', 'case_id': 'Case10431'}, 'b725be67-0ad9-42b0-9153-090f6e65472f': {'query': 'What were the specific implications addressed in the case of Forstaff Pty Ltd v Chief Commissioner of State Revenue (2004) 144 IR 1?', 'case_id': 'Case10431'}, '085ba4b2-83c3-41d3-b6d5-abf6e7b84074': {'query': 'What did Munby J express about the obiter dicta in the case of Forstaff Pty Ltd v Chief Commissioner of State Revenue, as referenced in his opinion?', 'case_id': 'Case10431'}, '76a03fd8-db8d-4ede-b8b9-e4a3a5c9fb6d': {'query': 'What specific arrangements between the applicants and CAO were considered to determine the absence of an employment relationship in the case of Forstaff Pty Ltd v Chief Commissioner of State Revenue?', 'case_id': 'Case10431'}, '7919e35f-dfa6-4bcb-b19b-5367bf7f3bb6': {'query': 'How do the principles from Mason and Humberstone relate to the employment issues discussed in Forstaff Pty Ltd v Chief Commissioner of State Revenue?', 'case_id': 'Case10431'}, 'ff20217a-fa0b-4dd7-8137-261ef5ed8cd1': {'query': \"What was the primary reason for her Honour's decision to strike out the statement of claim in the case?\", 'case_id': 'Case6166'}, 'd183386a-7cb2-4ff8-8647-426ecb5551fe': {'query': 'What specific legal issues regarding Exhibit 665 are being considered in the proceeding?', 'case_id': 'Case20984'}, '25d7f862-20e4-4867-a3f1-d65768de942f': {'query': 'What was the legal basis for issuing the notice to Dr. Fuller as referenced in the case of Mann v Carnell [1999] HCA 66?', 'case_id': 'Case20984'}, '2acff9a1-0de8-4f47-bd3b-c4f9bc74586e': {'query': 'What penalties are specified for failing to attend a hearing as a witness before a Commission in the case of Mann v Carnell [1999] HCA 66?', 'case_id': 'Case20984'}, '975a79ac-2522-4ba0-907f-db36f772fdf9': {'query': 'What is the penalty for a person who fails to produce a document as required by a notice under subsection 2(3A) in the case of Mann v Carnell?', 'case_id': 'Case20984'}, 'f6537165-30a9-4442-a00d-b2bdf02dd1c1': {'query': 'What did the High Court state about the distinction between a mere reference to legal advice and the disclosure of its content in Mann v Carnell [1999] HCA 66?', 'case_id': 'Case20984'}, 'bc8618b1-ca03-45c9-a83a-f465d2e61b08': {'query': 'What is meant by waiver being \"imputed by operation of law\" as discussed in the case of Mann v Carnell [1999] HCA 66?', 'case_id': 'Case20984'}, 'c04de1aa-ee91-467f-bcb5-dd7606db68e9': {'query': 'What is the significance of the phrase \"in respect of\" as interpreted in the case State Government Insurance Office (Qld) v Crittenden [1966] HCA 56?', 'case_id': 'Case20852'}, '2b627649-78fa-48bd-bdc1-b453c14e4a08': {'query': 'What specific phrases or legal principles were emphasized in the rulings of the State Government Insurance Office (Qld) v Rees and Workers Compensation Board (Qld) v Technical Products Pty Ltd that relate to the case of State Government Insurance Office (Qld) v Crittenden?', 'case_id': 'Case20852'}, '130c8bf4-b7ba-4a8a-bc3f-1bf3804a2577': {'query': 'What were the specific Grounds of Appeal raised by the Appellant in the case of SZIAI v Minister for Immigration [2008] FMCA 788?', 'case_id': 'Case18243'}, 'ae59e668-a924-4614-8206-843d3851c187': {'query': 'What additional ground is the Appellant seeking to raise in the Notice of Appeal related to the Migration Act 1958 (Cth)?', 'case_id': 'Case18243'}, '36b71941-3aa0-49e0-90b7-2a35a7345886': {'query': 'What specific Grounds were pursued in the case SZIAI v Minister for Immigration [2008] FMCA 788, and which Grounds were abandoned?', 'case_id': 'Case18243'}, '04794fbb-2119-4949-9d5e-3f7b5dfed628': {'query': 'What did Hayne J state about the time frame for making an application to set aside a statutory demand in Mibor Investments Pty Ltd v Commonwealth Bank of Australia?', 'case_id': 'Case270'}, '6627e47f-ad08-4a72-8dcb-7f10607396dd': {'query': \"What did Hayne J state regarding the court's approach to determining whether there is a genuine dispute in the case of Mibor Investments Pty Ltd v Commonwealth Bank of Australia?\", 'case_id': 'Case270'}, 'f27e9824-8c7b-4cfd-bb6c-1e9df1513cc1': {'query': 'What specific argument does the applicant make regarding the nature of living in barracks as it relates to their duties as service personnel?', 'case_id': 'Case13005'}, '932d5da6-31e8-44fc-a850-aa04ee5832a8': {'query': 'What must a party do to successfully establish a claim for client legal privilege according to the case National Crime Authority v S (1991) 29 FCR 203?', 'case_id': 'Case11586'}, 'ebb88e9e-667f-4303-b901-63d01d6db01a': {'query': 'What is the significance of the case \"Re Judiciary and Navigation Acts [1921] HCA 20 ; (1921) 29 CLR 257\" in establishing the justiciability of the matter discussed?', 'case_id': 'Case22918'}, 'b05a8ab3-6be0-4884-b715-14489837d8e7': {'query': 'What was the standard of proof that the Tribunal needed to satisfy regarding the accuracy of the information used for the visa cancellation in the referenced cases?', 'case_id': 'Case4834'}, '11e041d4-4304-407e-af11-7ac879064268': {'query': 'What specific observations did Cooper J make regarding the use of power under s 29 in F H Faulding & Co Ltd v Commissioner of Taxation?', 'case_id': 'Case19635'}, '4a0628ea-9bbc-49f2-9088-06c0edf541e5': {'query': 'What was the main reason for the differentiation between the December 2008 notices and the later ones issued in January 2009 in the case of F H Faulding & Co Ltd v Commissioner of Taxation?', 'case_id': 'Case19635'}, 'cf4e8d07-1d97-4d21-bbd0-213d9153c56d': {'query': 'What specific inter-group transactions were involved in the case of IEL Finance Limited v Commissioner of Taxation, particularly concerning interest-bearing borrowings and tax losses?', 'case_id': 'Case18094'}, '72646902-3f81-42b5-bf7a-a3860311d529': {'query': 'What specific findings did the Federal Court make regarding the assessability to tax of the corporate group member in respect of transactions for differing fiscal years?', 'case_id': 'Case18094'}, '17f85878-da2e-495a-b47c-490c65a1dc68': {'query': 'What legal principles from Henderson v Henderson (1843) 3 Ha 100 were discussed in the context of the Tax Assessment Act 1936 (Cth) and its application in the case of Spassked Pty Ltd v Commissioner of Taxation?', 'case_id': 'Case18094'}, 'cf33f227-aab1-4bf8-b973-d2f428b25ec6': {'query': 'What case was applied in the context of Henderson v Henderson (1843) that discussed the principles relevant to the Federal Commissioner of Taxation?', 'case_id': 'Case18094'}, '6b1d319f-1216-412b-b009-ebf043888f03': {'query': 'What was the case outcome of Henderson v Henderson (1843) 3 Ha 100 as mentioned in the case text?', 'case_id': 'Case18094'}, '05e54fb4-9756-4b43-a6f2-4b3f7fdfc3f1': {'query': 'What case was discussed and distinguished in the context of Hill Proprietary Company Limited v The Municipal Council of Broken Hill?', 'case_id': 'Case18094'}, 'f81d4c23-9909-4048-9f3d-acded5f54f20': {'query': 'What case was cited and discussed in relation to the outcomes of IEL Finance Limited and other companies against the Commissioner of Taxation?', 'case_id': 'Case18094'}, 'ade3edb8-d772-492b-82f9-f2fe9ab40a41': {'query': 'What did the Court order the Commissioner of Taxation to do within fourteen days in the case involving IEL Finance Limited, Queensland Trading & Holding Company Limited, and Spassked Pty Limited?', 'case_id': 'Case18094'}, '020edd3b-321a-4f87-b80f-a4f65439e908': {'query': 'What does the Privy Council state about the rule concerning res judicata as it relates to the case of Henderson v Henderson?', 'case_id': 'Case18094'}, 'ccc46150-b20c-4822-a16c-99cd82851569': {'query': 'What was the outcome of the case Henderson v Henderson (1843) 3 Ha 100?', 'case_id': 'Case18094'}, '43cce6a1-1d95-494f-aa97-d51baacc34ca': {'query': 'What principles discussed in Henderson v Henderson (1843) relate to the concept of res judicata and how do they apply to the assessment scheme of the Tax Act in the context of the Spassked proceedings?', 'case_id': 'Case18094'}, 'cee2db29-e921-466f-a648-3b7a9000a164': {'query': 'How does the application of the doctrine of res judicata in the context of Henderson v Henderson differ from its traditional use in United Kingdom cases?', 'case_id': 'Case18094'}, 'b200db25-5299-4843-bcd6-76e26c045e8c': {'query': 'How does the case of Henderson v Henderson relate to the concepts of abuse of process and finality in litigation as discussed in the context?', 'case_id': 'Case18094'}, '534ef07f-50f5-4ad8-8d86-d80ac55d9bdc': {'query': 'What is the crucial question the court focuses on when determining whether a party is misusing or abusing the process by raising an issue that could have been raised in earlier proceedings in the case of Henderson v Henderson?', 'case_id': 'Case18094'}, '6f90c469-a76b-4940-b098-e734b9894137': {'query': 'What is the significance of the case title \"Henderson v Henderson (1843) 3 Ha 100\" in the context of its outcome being discussed?', 'case_id': 'Case18094'}, 'd47edbfe-6a97-4a5e-b6ab-d28d6350dbe3': {'query': \"What was the significance of the Full Federal Court's decision in relation to the application of the doctrine of estoppel in the case Chamberlain v Commissioner of Taxation?\", 'case_id': 'Case18094'}, '3fe621ed-68b7-4999-950e-a6c9452e06ab': {'query': \"What principle regarding res judicata is discussed in the context of the High Court's decision in Chamberlain as it relates to Henderson v Henderson?\", 'case_id': 'Case18094'}, '26fbf412-deea-4189-b124-56f44f0ac9e2': {'query': \"What was the reason provided for rejecting the characterization of Chamberlain as involving 'revenue proceedings' in the context of the case?\", 'case_id': 'Case18094'}, 'b24b6880-4d5a-4fb3-91a5-fb9314460c4b': {'query': \"What doctrines of estoppel are discussed in the context of the Commissioner's case as referenced in the document?\", 'case_id': 'Case18094'}, '6601e275-535e-4196-a570-385857da3a8b': {'query': 'What was the outcome of the case Henderson v Henderson (1843) 3 Ha 100?', 'case_id': 'Case18094'}, 'd1af7c5a-1b07-40ee-922f-7b1a07548cda': {'query': 'How does the concept of Anshun estoppel apply to the findings of the Spassked proceedings in relation to the Commissioner’s claims for fiscal years beyond 1992?', 'case_id': 'Case18094'}, 'c8dd2174-c0db-421e-9c53-ba9762ab5b78': {'query': 'What doctrines are applied to the taxpayer applicants in the case of Henderson v Henderson (1843) 3 Ha 100 regarding their qualification as privies of each other and their common wholly owning parent IEL?', 'case_id': 'Case18094'}, '94884c0c-d594-46d6-b778-305ae70efc5f': {'query': \"What legal precedent do the respondents cite to support their argument regarding the lack of interest in privileged documents due to Stage 5's insolvency?\", 'case_id': 'Case17030'}, '735c9878-36b1-4c0a-9d6a-c743cd71f64d': {'query': 'What specific legal principle was used to distinguish the case of Bauhaus regarding the common interest at the time Mr. Glover received the privileged documents?', 'case_id': 'Case17030'}, '6a2ab16a-ec21-411b-876b-aedc53727b98': {'query': 'What is the definition of \"ground of privilege\" as mentioned in the case Re Bauhaus Pyrmont Pty Ltd (in liquidation) [2006] NSWSC 543?', 'case_id': 'Case17030'}, 'ce71c17f-1a98-4f6e-92b6-25ef987fbb4a': {'query': 'What specific reasons did the appellant provide to argue that the Tribunal did not properly consider the impact of the internet publication in its decision?', 'case_id': 'Case24525'}, '237a6e41-f505-4ec2-a584-c83c09de2b58': {'query': \"What specific grounds did the appellant's father raise regarding the impact of the internet publication on the parents' claims in the case of SZAIX v Minister for Immigration and Multicultural and Indigenous Affairs?\", 'case_id': 'Case24525'}, 'e37f6658-805d-4d61-b1b7-c69bb0f8db09': {'query': 'What findings did the Tribunal Member fail to make regarding the implications of the publication on the internet in the case of SZAIX v Minister for Immigration and Multicultural and Indigenous Affairs?', 'case_id': 'Case24525'}, '7131fbb7-d9a8-40a0-9931-3821ea51d0a2': {'query': \"What factual error did the appellant's parents admit to in their claims to the Tribunal regarding their previous judicial review at the Federal Court of Australia?\", 'case_id': 'Case24525'}, '58b70d75-086e-4a2f-882c-876e38e6661d': {'query': 'What was the case outcome for SZAIX in the case against the Minister for Immigration and Multicultural and Indigenous Affairs?', 'case_id': 'Case24525'}, '95d39077-1966-4df6-a265-3d1ce87496ea': {'query': 'What claim did the parents make regarding the dissident group supporter in the SZAIX v Minister for Immigration and Multicultural and Indigenous Affairs case?', 'case_id': 'Case24525'}, '9a054f0e-f8b6-4a91-9e95-582e054c8f81': {'query': \"What specific information did the Tribunal Member reference to negate the appellant's claims regarding the treatment of those sharing ethnicity with the dissident group in the country of origin?\", 'case_id': 'Case24525'}, '2738d43b-1796-4dc5-a344-43091275ca04': {'query': 'What factors contributed to the dramatic decrease in human rights abuses against individuals sharing ethnicity with the dissident group since the signing of the ceasefire agreement in the case of SZAIX v Minister for Immigration and Multicultural and Indigenous Affairs?', 'case_id': 'Case24525'}, '68110e39-c304-4d36-8200-07fe630c5ce0': {'query': \"What specific claims made by the appellant's father were not considered by the Tribunal in the case of SZAIX v Minister for Immigration and Multicultural and Indigenous Affairs?\", 'case_id': 'Case24525'}, '566cf355-195f-4269-a7bb-70c39a4f59cc': {'query': 'What was the outcome of the case SZAIX v Minister for Immigration and Multicultural and Indigenous Affairs [2006] FCA 3?', 'case_id': 'Case24525'}, 'e2caa438-f7ba-4ccb-9174-9d76d5ca2054': {'query': \"What specific aspect of the father's sur place claim did the Tribunal fail to consider, leading to a constructive failure to exercise jurisdiction?\", 'case_id': 'Case24525'}, '67cd4207-d462-4e01-a9bc-87417396882b': {'query': 'What was the date of the judgment in the case \"SZAIX v Minister for Immigration and Multicultural and Indigenous Affairs\"?', 'case_id': 'Case24525'}, '35976132-2a57-4568-a1d5-83950c6d7f03': {'query': 'What specific ruling did Emmett J make in Sogelease Australia Pty Ltd v Griffin regarding the service of a bankruptcy petition?', 'case_id': 'Case20663'}, '2546ac91-196d-4cf5-9454-f2abbd9105b7': {'query': 'What was the date when the Creditor\\'s Petition was issued in relation to the case \"Sogelease Australia Ltd v Griffin [2003] FCA 453 ; (2003) 128 FCR 399\"?', 'case_id': 'Case20663'}, 'e995d9b4-cb47-43a6-8b6e-932f1b95709a': {'query': 'What specific actions did the Debtor take regarding the service of the petition during the hearing, as mentioned in the case text?', 'case_id': 'Case20663'}, 'abb5b8cc-64f1-42c1-8a19-7c65b3624b72': {'query': 'What specific issue did the Debtor raise at the commencement of the second day of the hearing regarding the applicability of the Bankruptcy Rules?', 'case_id': 'Case20663'}, 'fe03edb1-6ae5-4b22-86ee-27d530a8e11d': {'query': 'What was the citation outcome of the case Sogelease Australia Ltd v Griffin as mentioned in the context?', 'case_id': 'Case20663'}, '82cd6d7e-8508-425a-84d8-d452f949fd70': {'query': \"What was the specific argument the Debtor was allowed to raise regarding the Court's jurisdiction in the case of Sogelease Australia Ltd v Griffin?\", 'case_id': 'Case20663'}, '844db280-b0a8-424d-bcc6-392fd225b0d8': {'query': \"What was the argument put forth by Australia and the administrators regarding the plaintiffs' rights to litigate against Lehman Australia's insurers in relation to cl 7.1?\", 'case_id': 'Case15627'}, '2978baf6-3c94-4fc3-afd9-d2e999967dc0': {'query': 'What did the High Court emphasize regarding the risks of addressing separate issues in the context of developing common law principles in the case of Bass v Permanent Trustee Co Ltd?', 'case_id': 'Case15627'}, 'cb2b340e-e565-4c7a-a1c4-0982212f4565': {'query': 'What is the crucial difference between an advisory opinion and a declaratory judgment as highlighted by Gleeson CJ and other justices in the case of Bass v Permanent Trustee Co Ltd?', 'case_id': 'Case15627'}, '1e17da8f-dbed-49bf-a639-9e5bb012f7a2': {'query': 'What specific binding decision are the plaintiffs seeking in the case of Bass v Permanent Trustee Co Ltd that raises res judicata between the parties?', 'case_id': 'Case15627'}, '008c906a-a78b-44c5-a4ba-7bae7fe743eb': {'query': 'What did Finkelstein J state about the skilled addressee in the context of the invention in Root Quality Pty Ltd v Root Control Technologies Pty Ltd?', 'case_id': 'Case16300'}, 'f7a0309e-d6fb-4f49-b96f-d948a9896fc9': {'query': 'What specific skills should the skilled addressee possess according to the context provided in the case of Root Quality Pty Ltd v Root Control Technologies Pty Ltd?', 'case_id': 'Case16300'}, 'f97d5abc-2ecc-4f4f-9da3-cc8feb24616c': {'query': \"How did the High Court's interpretation of obviousness in Astra relate to the principles established in the Wellcome Foundation case regarding the non-inventive skilled addressee?\", 'case_id': 'Case9553'}, '761bee93-f060-4101-ae1f-a8ec3f54f6fc': {'query': \"What distinction does the court make between the assessment of obviousness for product claims and method claims in the case of Lundbeck's patent?\", 'case_id': 'Case9553'}, 'e317235d-2f64-42ca-9bd6-74f4a10ff7b3': {'query': 'What specific evidence must be provided to prove the existence of common general knowledge at the priority date in the case of Wellcome Foundation Ltd v V.R. Laboratories?', 'case_id': 'Case9553'}, '084520ac-c26a-4d6d-b01b-0fba370f190d': {'query': 'What specific evidence did Lundbeck have to prove regarding what was commonly known and expected at the priority date in the case of Wellcome Foundation Ltd v V.R. Laboratories?', 'case_id': 'Case9553'}, 'aa35cca0-6fb5-4bcc-b0e2-c9f2c65f95e9': {'query': 'What criteria must interests meet to qualify for joinder in native title proceedings as outlined in the Byron test?', 'case_id': 'Case12650'}, '0adf9818-5dc6-4653-81a3-6d8c72fa7025': {'query': \"What role did Justice Branson play in the Davis-Hurst proceedings with regard to Mr. Kemp's assertion of native title?\", 'case_id': 'Case12650'}, '6f19029e-e39f-464e-8aef-cab62df23d2c': {'query': 'What was the date of the judgment that SZNOG is appealing against in the case SZNOG v Minister for Immigration and Citizenship?', 'case_id': 'Case4898'}, 'dabf45c6-a650-4513-b5fb-354ee99f63ab': {'query': \"What specific events did the applicant claim led to his family's home being set alight in the application for a protection visa?\", 'case_id': 'Case4898'}, 'd2bf8657-82c5-4087-88d1-b0bd4592e63a': {'query': 'What specific claims did the applicant make regarding the treatment he received from the police after his arrest related to the rally organized by the TMMK?', 'case_id': 'Case4898'}, '5431f3af-7d08-4bc7-a64a-1b7608b46680': {'query': \"What specific justification did the Federated Miscellaneous Workers' Union provide for their actions in the case of Ranger Uranium Mines Pty Ltd v Federated Miscellaneous Workers' Union of Australia?\", 'case_id': 'Case4591'}, 'e3938228-dcc2-4801-9b50-b82669d88fbe': {'query': 'What principle regarding the granting of leave to argue abandoned grounds of appeal was followed in the case of SZEPN v Minister for Immigration and Multicultural Affairs [2006] FCA 886?', 'case_id': 'Case24500'}, 'b23436d0-aad8-4733-a08f-2dce630f36f6': {'query': 'What serious consequences for an appellant seeking asylum were discussed in the context of the case SZEPN v Minister for Immigration and Multicultural Affairs [2006] FCA 886?', 'case_id': 'Case24500'}, '9007b0aa-f5bd-41f1-bec8-158f3c67b5e9': {'query': 'What was the fundamental reason for denying leave to amend the ground sought in the Federal Magistrates Court in the case of SZEPN v Minister for Immigration and Multicultural Affairs [2006] FCA 886?', 'case_id': 'Case24500'}, 'dfed2ad4-ed13-4bc0-bcca-cea2dce1bf73': {'query': 'What was the main reason the appeal in this case was deemed incompetent?', 'case_id': 'Case14029'}, '612c8400-4247-4dc8-83b1-0192ce8c7537': {'query': \"What was the appellant's course of action that led to the legal expenses incurred by the respondent in the case of MLGXAL v MIMIA [2006] FCA 966?\", 'case_id': 'Case14029'}, 'c8dede64-f433-459c-997f-4ce1f72d519a': {'query': \"What specific events at the appellant's instigation led to the agreement that the appeal should be dismissed?\", 'case_id': 'Case14029'}, '3143dc4b-82e2-4b9f-9406-82b348cde260': {'query': 'What was the issue regarding the statutory demands that was to be determined at the trial in the case of Australian Securities Commission v Australian Home Investments Ltd?', 'case_id': 'Case9141'}, '62036a9d-4b07-4d7e-9ab9-b9b6c2826d21': {'query': \"What claims was the applicant allowed to plead after the Full Court's decision in the case of Dresna Pty Ltd v Misu Nominees Pty Ltd?\", 'case_id': 'Case4020'}, '6e56e9d0-95cf-4820-9804-631090d0fd62': {'query': \"What evidence is currently lacking to rebut the presumption of unlawfulness regarding Mr. Hicks' detention, as discussed in relation to Abbasi v Secretary of State [2002]?\", 'case_id': 'Case13188'}, '7afcff33-fc7b-4cff-9b21-0fbdf474709e': {'query': 'What specific obligations does the federal executive government have towards Mr. Hicks under the Australian Constitution as noted in the review of administrative action?', 'case_id': 'Case13188'}, '457d08dc-aefc-417a-9d37-8f24a4161838': {'query': 'How does the case of Mr. Hicks relate to the principles established in Abbasi v Secretary of State [2002] EWCA Civ 1598 regarding the protection of citizens in detention?', 'case_id': 'Case13188'}, '75eb9d1a-eed7-48fe-ac88-218d171f4f77': {'query': \"What were the main concerns expressed by Their Lordships regarding Mr. Abbasi's potential indefinite detention by the United States authorities?\", 'case_id': 'Case13188'}, '0caad55c-ada1-475c-83ce-d86839376a90': {'query': 'What was the outcome of the case Abbasi v Secretary of State [2002] EWCA Civ. 1598?', 'case_id': 'Case13188'}, '9eaa79d6-e1ed-44b7-aa19-e5bc9e5de750': {'query': 'What were the original charges against Mr. Hicks and why were they deemed invalid in the context of his detention?', 'case_id': 'Case13188'}, 'befbc2d9-7765-45bc-9f1c-5f62efee96fb': {'query': 'What specific principle regarding imprisonment did their Lordships affirm in the case discussed, and how does it relate to the context of the writ of habeas corpus?', 'case_id': 'Case13188'}, '7d7186fa-9ee6-4bac-8f11-87116c655332': {'query': 'What reasons did the Court cite for finding Mr Abbasi\\'s detention to be arbitrary and in a \"legal black hole\"?', 'case_id': 'Case13188'}, 'd52f1dd8-e427-4774-9bb7-54717cb60b97': {'query': 'What obligation was discussed regarding the consideration of a particular British citizen in the context of foreign policy decisions?', 'case_id': 'Case13188'}, 'ed793f7f-9593-4d80-9e1d-5519d31a6469': {'query': 'What was the outcome of the case Abbasi v Secretary of State [2002] EWCA Civ. 1598?', 'case_id': 'Case13188'}, '23b12bd7-ad10-43ca-a2f6-10323de90dea': {'query': 'What factors differentiate the injustice faced by Mr. Hicks from that experienced by Mr. Abbasi, particularly regarding the duration of internment and the prospects for alleviation of their respective predicaments?', 'case_id': 'Case13188'}, '797cd740-b507-4d9b-a06a-56f1577af951': {'query': 'What specific issue related to the wording in the Statement of Claim filed on 6 December 2006 was identified as requiring clarification in the case Abbasi v Secretary of State [2002] EWCA Civ. 1598?', 'case_id': 'Case13188'}, '89e57ee8-df9a-45f1-8da3-00e996150b92': {'query': \"What was the basis for the husband's attempt to set aside the deed of separation in Ord v Ord [1923] 2 KB 432?\", 'case_id': 'Case6373'}, '8c9cfe2a-fb7c-441a-b773-b402150b5530': {'query': 'What specific observations did Greenwood J make regarding the grant of leave to issue subpoenas in McIlwain v Ramsey Food Packaging Pty Ltd?', 'case_id': 'Case6969'}}\n", + "Generated mixed qs 2\n", + "0.6397058823529411 0.7867647058823529\n", + "Filled cited db 2\n", + "Generated cited qs 2\n", + "Filled mixed db 3\n", + "{'5608d8f2-3022-45d4-a4b9-be972ce87c77': {'query': 'What specific circumstances were considered in determining the reasonableness of covenants according to the dissenting opinion in Amoco?', 'case_id': 'Case17716'}, '2bba12cd-8ab4-43e3-af25-b6fe1a81d860': {'query': 'What does the case Brown v Brown [1980] 1 NZLR 484 suggest about the duration of a restraint in relation to customer connections?', 'case_id': 'Case17716'}, '12c57704-5df8-4156-afa3-b928d857de1a': {'query': 'How does the described transaction in the case relate to the circumstances outlined in Brown v Brown regarding partnerships and forced buyouts?', 'case_id': 'Case17716'}, '5dfee67b-60f4-4cf8-8c1a-465e76f79aa4': {'query': 'What factors were considered in determining the reasonableness of the restraints in the case of Brown v Brown [1980] 1 NZLR 484?', 'case_id': 'Case17716'}, '5c3f44f0-75ce-4189-a3ce-e1c80cbde56c': {'query': 'What criteria does the court use to determine if two trade marks are \"substantially identical\" according to the case Registrar of Trade Marks v Woolworths Ltd?', 'case_id': 'Case10201'}, 'dcf2ab41-87cc-43ce-ac42-9209360afaf3': {'query': 'What legal principles regarding the comparison of marks are referenced in the case \"Registrar of Trade Marks v Woolworths Ltd [1999] FCA 1020\"?', 'case_id': 'Case10201'}, 'e785c217-7132-4606-84fe-878e0c183ea7': {'query': \"What was Nettle J's interpretation of s 19(1)(f) of the Trustee Act 1958 (Vic) regarding an executor's ability to compromise a dispute over the validity of a will without consent or a court order in Dowling v St Vincent De Paul Society of Victoria Inc?\", 'case_id': 'Case18401'}, '98fbe842-ff77-4202-8532-f37b537e6c9d': {'query': 'What perspective did Nettle J express regarding the interpretation of claims against the estate in relation to section 19 of the Trustee Act as discussed in the case of Dowling v St Vincent De Paul Society of Victoria Inc?', 'case_id': 'Case18401'}, '83d5b4b8-094b-459d-91fc-0dfbdcfbda61': {'query': 'What was the case outcome in Dowling v St Vincent De Paul Society of Victoria Inc [2003] VSC 454?', 'case_id': 'Case18401'}, 'd540a981-f8fe-4dd9-b352-f973256d6099': {'query': \"What aspect of the Tribunal's reasons does Mr. Maganga no longer seek to uphold regarding the inspection of summonsed documents in the case of Albert Hadid v Lenfest Communications Inc?\", 'case_id': 'Case23541'}, '1a32bf54-5519-4c97-bcce-cfb8aff3b8f1': {'query': 'What specific finding did the Tribunal make regarding the appellant’s visit to India in relation to the decision to refuse the protection visa?', 'case_id': 'Case23367'}, 'ceb76e89-4f6a-4c79-a765-5620bcc881f3': {'query': \"What specific provision of the law was raised as a potential breach in the context of the Tribunal's decision in SZEZI v Minister for Immigration & Multicultural & Indigenous Affairs?\", 'case_id': 'Case23367'}, '81374128-b977-43e9-a9f9-8498c077198e': {'query': \"What specific lack of information did the Tribunal find to be the reason for the appellant's decision in the case?\", 'case_id': 'Case23367'}, 'ef49941b-c8db-47e4-b3a0-06acffa2b8f1': {'query': \"What specific reasoning did the Tribunal provide to reject the appellant's claims regarding the implications of his daughter's name in the context of refoulment?\", 'case_id': 'Case23367'}, '3ae7046f-433f-4e15-b8cb-0dbb528c1af7': {'query': 'What was the outcome of the case SZEZI v Minister for Immigration & Multicultural & Indigenous Affairs [2005] FCA 1195?', 'case_id': 'Case23367'}, 'a020fe6a-a45c-436a-b68c-ab70dcdef115': {'query': \"Why did the appellant's failure to choose a Christian name raise doubts about their claim to have converted to Christianity in the case of SZEZI v Minister for Immigration & Multicultural & Indigenous Affairs?\", 'case_id': 'Case23367'}, 'e5634ddc-6f5f-4744-9893-ca923d8e4165': {'query': \"What was the appellant's allegation regarding RMIT's practice of commenting on academic results in the case of Gurung v Minister for Immigration & Multicultural and Indigenous Affairs?\", 'case_id': 'Case15456'}, 'c4b87d74-fb8f-4185-8b66-1263308a03dc': {'query': 'What were the specific reasons cited by the appellant for claiming jurisdictional error in the case of Gurung v Minister for Immigration and Multicultural and Indigenous Affairs?', 'case_id': 'Case15456'}, '25d88ab8-24d7-40de-8e83-23974e83beca': {'query': 'What was the key requirement under condition 8202 that the visa holder failed to meet in the context of the case?', 'case_id': 'Case15456'}, 'f854b23c-0d46-43b2-aac2-96016590a7e1': {'query': \"What was the appellant's failure rate in the first semester of 2002 compared to the failure rate in 2001 as discussed in Gurung v Minister for Immigration and Multicultural and Indigenous Affairs?\", 'case_id': 'Case15456'}, '9f7814de-6eb1-4675-9ac5-c188a7334cdb': {'query': 'What was the role of the tribunal in the case of Gurung v Minister for Immigration and Multicultural and Indigenous Affairs [2002] FCA 772?', 'case_id': 'Case15456'}, '2bdaa982-5dc4-4267-8574-9f6c37db930a': {'query': \"What specific inconsistencies were identified in RMIT's statements regarding the appellant's academic results in the case of Gurung v Minister for Immigration and Multicultural and Indigenous Affairs?\", 'case_id': 'Case15456'}, '9ca1b35f-ee57-4220-b9dc-4ebf9724127b': {'query': \"What specific evidence did RMIT fail to provide regarding the appellant's compliance with condition 8202 in the case of Gurung v Minister for Immigration and Multicultural and Indigenous Affairs?\", 'case_id': 'Case15456'}, '85f8cbc7-80ef-40ba-badf-9efe0f967a46': {'query': \"What specific evidence did RMIT provide regarding the appellant's academic performance in the case of Gurung v Minister for Immigration and Multicultural and Indigenous Affairs [2002] FCA 772?\", 'case_id': 'Case15456'}, 'b444af03-e4e6-43fa-bfe1-ee37a09c2408': {'query': 'What was the conclusion regarding the procedural fairness under section 424A in the case of SZBYR v Minister for Immigration and Citizenship?', 'case_id': 'Case8823'}, 'b45d1bc0-ff0f-4240-8355-8aabcb3d8613': {'query': \"What does the Tribunal's subjective appraisal refer to in the context of the case SZBYR v Minister for Immigration and Citizenship?\", 'case_id': 'Case8823'}, '41353d36-5126-4f35-8ffe-dfdf6d0dfda4': {'query': 'What is the significance of the authorisation under s 251B in relation to the status of a proposed new applicant pursuing a motion under s 66B?', 'case_id': 'Case19020'}, '020fd3b4-eb36-42c0-a061-d14213b2be16': {'query': 'What specific authority must the s 66B applicants demonstrate that was conferred upon Ms. Foster by the claim group in the case of Ward v Northern Territory (2002)?', 'case_id': 'Case19020'}, '632d829e-b54e-486d-a956-5585cb119d80': {'query': 'What does the case text suggest about the limitations of authority when an applicant acts inconsistently with a resolution of the native title claim group?', 'case_id': 'Case19020'}, '58bfaf6d-f28c-4c85-aae3-e9ffb6ca1725': {'query': 'What decision-making process was considered in determining whether the resolutions to remove an applicant were authorized according to the case of Ward v Northern Territory (2002)?', 'case_id': 'Case19020'}, 'e58f22a1-63f9-4319-a7cf-0c59bed74dec': {'query': 'What specific legal test did Lockhart J articulate regarding the influence of conduct on the Commissioner’s decision to grant a patent in the case of Prestige Group (Australia) Pty Ltd v Dart Industries Inc?', 'case_id': 'Case14598'}, 'f4c44349-70d9-416f-8460-9afec8387078': {'query': 'What specific criteria did Gummow J reference regarding the material representation required for the patent to proceed to grant in the case of Prestige Group (Australia) Pty Ltd v Dart Industries Inc?', 'case_id': 'Case14598'}, '6a4a63a6-1234-4747-9cd2-4cd4b30486df': {'query': 'What key concept regarding the definition of a market was emphasized by the High Court in the case of Boral Besser Masonry Ltd v Australian Competition and Consumer Commission?', 'case_id': 'Case8214'}, '046ed893-6720-4b03-ba0c-c49959543917': {'query': 'What is the significance of the interpretation of \"take advantage of\" in the context of s 46 as discussed in the case Boral Besser Masonry Ltd v Australian Competition and Consumer Commission?', 'case_id': 'Case8214'}, '22517b91-f3a9-4c7a-bae7-c125b8010475': {'query': \"Was the respondent's withdrawal of the supply of the Excluded Data considered to be an exploitation of its market power in the context of the Wholesale Market?\", 'case_id': 'Case8214'}, 'bb3d022a-73ab-4d3c-af34-88a3591c5c13': {'query': 'What is the purpose of Section 46 as discussed in the context of the case \"Boral Besser Masonry Ltd v Australian Competition and Consumer Commission [2003] HCA 5\"?', 'case_id': 'Case8214'}, 'ba187270-496d-4dc1-864e-4c7562fc516e': {'query': 'What was the outcome of the case Boral Besser Masonry Ltd v Australian Competition and Consumer Commission [2003] HCA 5?', 'case_id': 'Case8214'}, 'fb606b10-bb68-46cf-9024-8867d1511a01': {'query': 'What specific conduct must a person exhibit for a corporation with substantial market power to affect competition in a market, as outlined in the case of Boral Besser Masonry Ltd v Australian Competition and Consumer Commission [2003]?', 'case_id': 'Case8214'}, '11b57ff9-5f53-4be2-ac55-6b760fff5454': {'query': \"How does s 46(1)(c) relate to a corporation or entity's ability to engage in competitive conduct in the Retail Market according to the case of Boral Besser Masonry Ltd v Australian Competition and Consumer Commission?\", 'case_id': 'Case8214'}, '26448bf5-451f-4e0d-bf63-dfdc3c968797': {'query': 'What key principle regarding the role of a court in reviewing administrative discretion is highlighted in the context of the case text?', 'case_id': 'Case22058'}, '5915f65a-f34c-459f-9437-5498ab3f9916': {'query': 'What are the total potential monetary penalties that ASIC could seek against FMG and Forrest for the alleged contraventions of section 180(1)?', 'case_id': 'Case6737'}, '0c8db827-c45e-4f0d-9ed9-1be5778c5eb1': {'query': \"What inference does ASIC suggest should be drawn regarding the evidence of Rowley, Liu, and Watling in relation to FMG's strategic decision not to call them as witnesses?\", 'case_id': 'Case6737'}, '8f8c4c8c-01e9-46bc-9167-9253d7dcf86e': {'query': 'What principle did Forrest argue should apply to civil proceedings regarding the right of an accused not to give evidence, as referenced in Jones v Dunkel?', 'case_id': 'Case6737'}, 'ad20ae34-6caa-4fc9-bbd6-2a498b73960b': {'query': 'What is the significance of the Jones v Dunkel rule in criminal proceedings as discussed in the context of the case Jones v Dunkel [1959] HCA 8?', 'case_id': 'Case6737'}, '59674710-534c-434f-a35e-48848d3516c2': {'query': 'What was the outcome of the case Jones v Dunkel [1959] HCA 8?', 'case_id': 'Case6737'}, '29d3c339-6542-4edb-b901-82af62db448f': {'query': 'What specific reasoning did the Court provide regarding the application of the rule in Jones v Dunkel to criminal defendants, as discussed in the case?', 'case_id': 'Case6737'}, '1f7b9a7a-e943-41c9-9b71-9c3b035c969d': {'query': 'What was the main conclusion of the majority of the Court regarding the expectation of an accused giving evidence in a criminal trial, as discussed in the case of Jones v Dunkel?', 'case_id': 'Case6737'}, '8cb7c3a1-2c5a-49a1-9b26-da678b6443c5': {'query': 'What was the specific issue regarding the disqualification order discussed in relation to the privilege against exposure to penalty in the case of Jones v Dunkel?', 'case_id': 'Case6737'}, '357bd2b8-e9cb-4ada-99d9-70fe89352b62': {'query': \"What was the role of Jones v Dunkel in the New South Wales Court of Appeal's ruling regarding Mr. Adler and his associates?\", 'case_id': 'Case6737'}, 'e6195417-6fc5-4e89-9d92-431e73a22311': {'query': 'What was the outcome of the case Jones v Dunkel [1959] HCA 8 regarding the concept of privilege?', 'case_id': 'Case6737'}, 'c04eea1a-358b-487b-86bc-bd3fd4226771': {'query': \"What was the basis of the High Court's refusal of the application for special leave to appeal in the case of Adler regarding procedural fairness in the context of pecuniary penalties?\", 'case_id': 'Case6737'}, 'b3c09bfb-de20-4c89-a19b-8a498e47ffeb': {'query': 'How does the rule in Jones v Dunkel relate to the application of civil penalty proceedings, as discussed in the context provided?', 'case_id': 'Case6737'}, 'c6c167aa-5774-4eb7-a786-43905abcc9fd': {'query': \"What implications does the principle established in Jones v Dunkel have for a respondent's failure to provide evidence in a case concerning the recovery of a pecuniary penalty?\", 'case_id': 'Case6737'}, '0dba32b9-48c7-45f5-bc72-e423d9656073': {'query': 'How does the decision in Jones v Dunkel influence the inferences made by a court when a legal practitioner is facing removal from the Roll, as discussed in Council of the New South Wales Bar Association v Power?', 'case_id': 'Case6737'}, 'c478635c-a75b-4054-827b-f126fde36eea': {'query': 'How does the reasoning from Jones v Dunkel apply to the assessment of evidence in civil proceedings, as discussed in the context provided?', 'case_id': 'Case6737'}, 'a2a32d18-dd8e-4574-998a-56bfa6b5ced2': {'query': 'What was the conclusion reached by Austin J in Australian Securities and Investments Commission v Rich regarding the applicability of the Jones v Dunkel principle in civil penalty proceedings?', 'case_id': 'Case6737'}, '2ca3ca45-2ca1-4d75-af44-2c3a8e44e7f3': {'query': 'What inferences were considered by the court in relation to the case of Jones v Dunkel and how do they apply to the proceedings against FMG as mentioned in the judgment?', 'case_id': 'Case6737'}, '81618394-337e-414d-886f-1db1444d6b45': {'query': 'What principles concerning the application of Jones v Dunkel were discussed in the case of Payne v Parker as referenced in the context?', 'case_id': 'Case6737'}, '5d238cc0-eb78-45cf-8745-b747e898d309': {'query': 'What was the case outcome of \"Jones v Dunkel [1959] HCA 8 ; (1959) 101 CLR 298\"?', 'case_id': 'Case6737'}, 'bcff570d-36fe-4842-a8ea-23f2037d81b8': {'query': 'What three conditions must be established for a Jones v Dunkel inference to apply as outlined by Glass JA in Payne v Parker?', 'case_id': 'Case6737'}, '9486727c-1797-473b-80d8-65f678af8859': {'query': \"What was the main argument made by the applicant in Singh regarding the Minister's decision to refuse the spouse visa?\", 'case_id': 'Case6737'}, '30e5b0c9-af12-46de-8bb3-e7553527a793': {'query': \"What did the court conclude regarding the adequacy of the Minister's statement of reasons in relation to character references in the case of Jones v Dunkel?\", 'case_id': 'Case6737'}, '85769a8c-059e-48a1-9ec8-a59348354bee': {'query': 'What was the reasoning behind declining to make a Jones v Dunkel inference against FMG in the case involving Forrest and ASIC?', 'case_id': 'Case6737'}, '1137b7ee-bdff-4bc4-8527-e180e72379f4': {'query': 'What was the case outcome of Jones v Dunkel [1959] HCA 8 ?', 'case_id': 'Case6737'}, '88bfc456-8074-4012-bb95-f5ae96875c72': {'query': \"What evidence was presented to support Catherine Li's claims regarding the meeting on 6 November where Forrest offered a 30% equity interest in the Project to a Chinese investor?\", 'case_id': 'Case6737'}, 'b46b31ce-da37-41df-a0bf-6177af46d1a1': {'query': \"What was FMG's board, including Forrest, expected to do concerning the legal effect of the framework agreements, according to ASIC's case under s 674?\", 'case_id': 'Case6737'}, 'f318c87d-542e-4330-8490-0fc8df7de798': {'query': 'What principles did the Full Court in Raymor express regarding the deductibility of losses or outgoings under section 51(1) of the Income Tax Assessment Act?', 'case_id': 'Case24138'}, 'd00d1d0f-69c8-41c2-aa05-24c44e03af17': {'query': \"What principle regarding the definition of 'outgoings' was established in the case of Commissioner of Taxation v Raymor (NSW) Pty Limited?\", 'case_id': 'Case24138'}, 'a9208907-4e57-46cf-a429-a55ea875262f': {'query': 'What specific principles regarding the timing of incurring an outgoing are discussed in the context of Commissioner of Taxation v Raymor (NSW) Pty Limited?', 'case_id': 'Case24138'}, 'c5e26e65-d167-4183-a3c6-89ca2accfece': {'query': 'What type of evidence was noted as missing in the case of Commissioner of Taxation v Raymor, which could have influenced the determination of outgoing referability to the accounting period?', 'case_id': 'Case24138'}, 'bcc7b938-b5f6-461e-81f7-489ae61b7138': {'query': 'What was the case outcome for \"Commissioner of Taxation v Raymor (NSW) Pty Limited [1990] FCA 193; (1990) 24 FCR 90\"?', 'case_id': 'Case24138'}, 'bc897064-2fdd-4850-902a-d2eb0882beb5': {'query': \"What specific jurisprudential analysis did Crennan J refer to from Hill J's synthesis in the case of Ogilvy & Mather, as discussed in the context of the Commissioner of Taxation v Raymor (NSW) Pty Limited case?\", 'case_id': 'Case24138'}, '243893fd-ab52-4f7a-b299-56e8cba4136c': {'query': 'What does Sir John Latham imply about the meaning of \"incurred\" in the context of claiming a deduction under s 51 (1) in the case of Commissioner of Taxation v Raymor (NSW) Pty Limited?', 'case_id': 'Case24138'}, 'b7a6d9ee-8c71-4e3e-a258-39a8fa2a248d': {'query': 'What aspect of the word \"incurred\" in Section 51 (1) was emphasized in the case of Flax Investments Ltd v Federal Commissioner of Taxation, and how does this relate to the case outcome of Commissioner of Taxation v Raymor (NSW) Pty Limited?', 'case_id': 'Case24138'}, 'ca040d34-f11a-497d-8313-51a01ab0fe23': {'query': 'What was the nature of the agreement between the taxpayer and MML in the case of Commissioner of Taxation v Raymor (NSW) Pty Limited, and how did it impact the timing of liability for payment?', 'case_id': 'Case24138'}, '39a67a66-f01d-4f28-816d-19693e342a85': {'query': 'What was the outcome discussed in the case \"Commissioner of Taxation v Raymor (NSW) Pty Limited [1990] FCA 193 ; (1990) 24 FCR 90\"?', 'case_id': 'Case24138'}, '13f6e9ce-748c-4683-8baf-006a189a9e1b': {'query': 'What did the Court conclude regarding the nature of the outgoing incurred by Raymor in the year of income?', 'case_id': 'Case24138'}, '8e778cc6-99d5-43dd-8220-a39f0d79bb70': {'query': \"What was the Full Court's conclusion regarding the incurring of liability to pay for future goods in the case of Commissioner of Taxation v Raymor (NSW) Pty Limited?\", 'case_id': 'Case24138'}, '72ea5b31-f887-4d32-baa3-143ce91f8c98': {'query': 'What was the Full Court\\'s conclusion regarding the requirement of delivery in relation to creating a present and accrued liability to pay in the case \"Commissioner of Taxation v Raymor (NSW) Pty Limited\"?', 'case_id': 'Case24138'}, '9ca7d007-6043-4b19-b459-a58763bf6546': {'query': 'What legal principles were discussed in the case of Commissioner of Taxation v Raymor (NSW) Pty Limited regarding the timing of income recognition and outgoing expenses?', 'case_id': 'Case24138'}, '2605df72-a88a-4592-94ec-9375e201379f': {'query': 'What was the primary outcome discussed in the case \"Commissioner of Taxation v Raymor (NSW) Pty Limited [1990] FCA 193 ; (1990) 24 FCR 90\"?', 'case_id': 'Case24138'}, 'c7ccc259-e81b-4261-b551-daf21b623b81': {'query': 'What was the basis for determining the timing of the obligation to pay the purchase price on settlement in the case discussed?', 'case_id': 'Case24138'}, '0324089e-7278-42f9-9954-efc8219d0224': {'query': 'What did Aickin J emphasize regarding the dangers of hindsight analysis in the context of determining the obviousness of inventions in the case of Meyers Taylor Pty Ltd v Vicarr Industries Ltd?', 'case_id': 'Case23063'}, 'c900f65c-ff33-4656-8328-e8df41af3b44': {'query': 'What was the purpose of the meeting convened on 22 August 2007 for the ordinary shareholders of Orion Telecommunications Limited?', 'case_id': 'Case13253'}, '9deb7b11-b945-45da-9822-ee8ba2bcac5e': {'query': 'What specific voting restrictions were placed on certain shareholders in the meeting of Orion Telecommunications Limited, and how did those restrictions impact the overall outcome of the vote?', 'case_id': 'Case13253'}, '1bb25720-7cb9-4ddf-97b9-adf4cf58aff2': {'query': 'What were the specific grounds of appeal identified by the Applicant in the case of Re Kasupene and Minister for Immigration & Citizenship [2008] AATA 766?', 'case_id': 'Case10404'}, 'e3e0aa24-8b80-4fb4-89f7-c9948159bbdd': {'query': 'What specific evidence did the Tribunal fail to refer to that was required under s 43(2B) of the Administrative Appeals Tribunal Act 1975 (Cth) in the case of Re Kasupene and Minister for Immigration & Citizenship?', 'case_id': 'Case10404'}, '603b5dbb-80f4-416c-9ddf-f13f45ff6289': {'query': 'What specific jurisdiction does the Federal Court have in relation to migration decisions under the Administrative Appeals Tribunal Act 1975, as referenced in the case of Re Kasupene and Minister for Immigration & Citizenship [2008]?', 'case_id': 'Case10404'}, '7ff8b52f-87d5-4d5a-b36a-695f9a3a9aea': {'query': \"What specific principles regarding 'deceptive similarity' were referenced from Windeyer J in the case of Australian Woollen Mills Ltd v F S Walton & Co Ltd?\", 'case_id': 'Case19671'}, 'c2a8e5ec-b687-456f-9534-d5ac97994b9d': {'query': 'What factors are considered when determining the potential buyers\\' perception in the context of the case \"Australian Woollen Mills Ltd v F S Walton & Co Ltd [1937] HCA 51\"?', 'case_id': 'Case19671'}, 'e807abd1-4e84-4f27-b099-9b71e96ea772': {'query': \"What standard of proof did the Minister apply in making his decision regarding Mr. Ngaronoa's case, and how does it relate to the Briginshaw standard?\", 'case_id': 'Case7375'}, '9e584b52-db08-44c9-be35-411d8c35d22a': {'query': 'How did Dixon J\\'s statement in Briginshaw influence the legal standards applied in Mr. Ngaronoa\\'s case concerning the requirement for \"reasonable satisfaction\" in administrative proceedings?', 'case_id': 'Case7375'}, '2a78ffe4-d806-4b33-9c4b-b67279c83fc8': {'query': 'What key legal principles were discussed in the case of Briginshaw v Briginshaw [1938] HCA 34 as referenced in the High Court case Minister for Immigration and Multicultural and Indigenous Affairs v QAAH [2006] HCA 53?', 'case_id': 'Case7375'}, 'ca509a33-be55-431f-a1c1-1046f21967ac': {'query': 'What common law test is satisfied in the current case as referenced in Harrington v Lowe (1996) 190 CLR 311?', 'case_id': 'Case5668'}, '94309f9b-d4d4-4568-900b-f7540236e91b': {'query': 'What specific claims did the appellant make regarding his treatment related to his membership in Falun Gong in the case of SZIMD v Minister for Immigration?', 'case_id': 'Case22198'}, '801d72cf-65b7-4bd9-83f9-0dbd081d75a4': {'query': \"What specific reasons did the Tribunal provide for rejecting the appellant's claims of being a Falun Gong practitioner in the case of SZIMD v Minister for Immigration [2007] FMCA 445?\", 'case_id': 'Case22198'}, '11033ca9-0069-4189-9a82-02dc501c87f6': {'query': \"What specific influence did the judgment in Kestrel Coal Pty Ltd v Construction, Forestry, Mining and Energy Union have on the Court's decision to grant interim injunctions in United Group Infrastructure?\", 'case_id': 'Case16554'}, '88f46c92-1399-423f-ac74-9ace0ed3b324': {'query': 'What specific actions did the respondents threaten to take if their demand was not met, as mentioned in the case of Kestrel Coal Pty Ltd v Construction, Forestry, Mining and Energy Union?', 'case_id': 'Case16554'}, '2f2fdf20-ee79-421e-971e-2d207389f0b6': {'query': 'What was the outcome of the case Kestrel Coal Pty Ltd v Construction, Forestry, Mining and Energy Union [2001] 1 Qd R 634?', 'case_id': 'Case16554'}, '6a171919-1f57-4066-b710-5758ccdd6d2b': {'query': 'What precedents were referenced in the case of Editions Tom Thompson Pty Ltd v Pilley regarding the directions provided under section 447D?', 'case_id': 'Case14278'}, '97f1691c-316c-4128-951d-5b63f3323a72': {'query': \"What legal principle did the Minister rely on from the case of Williams v Keelty to argue for severance in Senator Ellison's s 16 notice?\", 'case_id': 'Case20595'}, 'c09be4da-b837-4b09-b6f2-5e87590430c8': {'query': 'What legal principle is established regarding the authority of multiple trustees in bankruptcy as discussed in the case \"Ex parte Griffin; Re Dixon (1826) 2 GL&J 114\"?', 'case_id': 'Case23410'}, '3b0a1f36-7e15-4d08-b86e-ab70c8fa5e77': {'query': \"What was the specific circumstance under which Mr. Andrew Manchee purchased over one million shares in Patrick Corporation Limited while Citigroup's private side was involved in a takeover bid for the same company?\", 'case_id': 'Case5547'}, 'e5c564c9-e3c6-4f30-a3b3-63ccc4b9ef69': {'query': 'What was the role of Citigroup in the context of the fiduciary relationship being determined in the case of Asia Pacific Telecommunications Limited v Optus Networks Pty Limited?', 'case_id': 'Case5547'}, 'dfc61ccf-7708-4d0c-bf12-673d7c6229f2': {'query': 'What principles related to granting leave to argue an abandoned ground of appeal were cited in the case of SZEPN v Minister for Immigration and Multicultural Affairs [2006] FCA 886?', 'case_id': 'Case24500'}, '14352067-32f3-4634-85c4-9816ead98469': {'query': 'What serious consequences for an appellant seeking asylum were considered in the case of Gomez v Minister for Immigration and Multicultural Affairs as referenced in the context?', 'case_id': 'Case24500'}, 'e8aaec3d-307f-4e1f-856e-51b80293f3cd': {'query': 'What was the fundamental reason given for denying leave to amend in the case of SZEPN v Minister for Immigration and Multicultural Affairs?', 'case_id': 'Case24500'}, '243d7510-b5e3-481f-a418-8c2967d7530d': {'query': \"What principle did the High Court establish in Baxter v Obacelo Pty Ltd regarding a court's consideration of costs when all other issues have been resolved?\", 'case_id': 'Case2164'}, 'eb8db413-f9f2-40f4-b8ec-ec1e23ffb996': {'query': 'What principle regarding tortfeasors was approved by Gummow and Hayne JJ in the case of Baxter v Obacelo Pty Ltd, as referenced in the judgment of Auld LJ?', 'case_id': 'Case2164'}, '6878b568-c096-4848-a330-32af76b09503': {'query': 'What approach did the Full Court take regarding inherent adaptability in relation to section 41(3) of the 1955 Act as referenced in the context of the case Colorado Group Ltd v Strandbags Group Pty Ltd?', 'case_id': 'Case23257'}, '155abd1a-43d6-48b2-b674-6f07b1028e8d': {'query': 'What duty of good faith must a mortgagee uphold when exercising the power of sale, as established in Upton v Tasmanian Perpetual Trustees Ltd?', 'case_id': 'Case10260'}, '05a3c614-b995-4bb0-a60b-8542dc1ee746': {'query': 'What specific factors did the CFMEU argue should be considered by the court regarding deterrence in the case of Ponzio v B & P Caelli Constructions Pty Ltd?', 'case_id': 'Case22710'}, 'c0726626-00cf-4849-ba98-fd208fa9acf1': {'query': 'What were the legal costs incurred by the CFMEU in the case referenced, and how do they relate to the principles addressed in Ponzio v B & P Caelli Constructions Pty Ltd?', 'case_id': 'Case22710'}, 'fd55b1b5-9b50-4a83-bd18-833301b1d10f': {'query': 'What specific considerations regarding deterrence are highlighted in the case of Ponzio v B & P Caelli Constructions Pty Ltd?', 'case_id': 'Case22710'}, '45b410b1-94bc-4ce3-9bc9-8bc2cb710633': {'query': 'What did Lindgren J assert regarding the application of s 15AB in the context of ambiguity or obscurity in the NAQF v Minister for Immigration case?', 'case_id': 'Case5126'}, 'cd93fb3b-c4dc-4ca2-9cc9-15c13a7f5bfd': {'query': 'What factors does the Court consider when determining the most appropriate city for hearings according to the case National Mutual Holdings Pty Ltd v The Sentry Corporation?', 'case_id': 'Case14120'}, 'f6f75b8a-d785-40d3-aa02-bdbd3315dad0': {'query': 'What must the Court be satisfied with in order to direct that the proceedings in National Mutual Holdings Pty Ltd v The Sentry Corporation be conducted or continued in another place?', 'case_id': 'Case14120'}, '320926b1-2af6-4385-858f-29d9c6a4b3af': {'query': 'What specific criteria for assessing cl 845.216 were referenced in the documents produced during the appeal in relation to the period between 11 May 2005 and 15 June 2005?', 'case_id': 'Case8705'}, 'f8ccfb2c-defc-4da5-b377-62fb79a82239': {'query': \"What did the Full Court determine regarding the applicant's ability to manage and operate a main business in the case of Lobo v Minister for Immigration and Multicultural and Indigenous Affairs?\", 'case_id': 'Case8705'}, 'f3a64c42-e5a7-4d25-9ec2-8bad73393df1': {'query': 'What did the court conclude about the relationship between the departmental policy and the requirements for a subclass 845 visa in Lobo v Minister for Immigration and Multicultural and Indigenous Affairs?', 'case_id': 'Case8705'}, '37899d38-ecc4-4de9-89ea-e01508c4e00d': {'query': \"What did the trial judge conclude regarding the Tribunal's approach in relation to the statutory criterion for granting a visa in the case discussed?\", 'case_id': 'Case8705'}, '6f9d1a46-c60f-4426-a99c-d53f773599db': {'query': 'What was the outcome of the case Lobo v Minister for Immigration and Multicultural and Indigenous Affairs [2003] FCAFC 168?', 'case_id': 'Case8705'}, 'f9934bfb-e01a-49b4-89de-0ef27a9e7900': {'query': 'What specific failure did the Tribunal commit regarding its obligations under section 368(1) in the case of Lobo v Minister for Immigration and Multicultural and Indigenous Affairs?', 'case_id': 'Case8705'}, 'b1e69e30-6235-4747-bf90-00328a01ca38': {'query': \"What specific error did the Tribunal make in its assessment of the appellant's involvement in the business according to the case text?\", 'case_id': 'Case8705'}, 'd1acbf32-9ea6-4b1f-be34-79b4a8a214ca': {'query': 'What specific criteria did the appellant fail to meet under clause 845.216 as discussed in the case Lobo v Minister for Immigration and Multicultural and Indigenous Affairs?', 'case_id': 'Case8705'}, '8ce04a3f-6e69-4473-ba3a-cdd7d4cd9472': {'query': 'What were the specific points the Tribunal awarded to the appellant for his English ability and asset value in the case of Lobo v Minister for Immigration and Multicultural and Indigenous Affairs?', 'case_id': 'Case8705'}, 'fc77e20a-40f7-4289-933d-f6b8a0752b19': {'query': 'What specific principles of construction were acknowledged in the case Welch Perrin & Co Pty Ltd v Worrel, as referenced in the context of the principles applied in Jupiters Ltd v Neurizon Pty Ltd?', 'case_id': 'Case10645'}, '968c8fd4-86b3-4dc4-959e-ae37e632837a': {'query': 'What principle was established in the case of Welch Perrin & Co Pty Ltd v Worrel regarding the construction of claims in patent specifications?', 'case_id': 'Case10645'}, '07cd0c96-2b10-4b21-b271-548605905d04': {'query': 'What principle regarding the interpretation of claims and specifications in patent law is highlighted in the case of Welch Perrin & Co Pty Ltd v Worrel?', 'case_id': 'Case10645'}, '528692fb-e39c-4b4a-8a90-a7a51827e765': {'query': 'What specific considerations did the court mention regarding the narrowness of the inventive context in the case of Welch Perrin & Co Pty Ltd v Worrel?', 'case_id': 'Case10645'}, 'b8ad688a-28d0-4057-8998-68f7b1981f42': {'query': 'What specific section of the case \"Welch Perrin & Co Pty Ltd v Worrel\" does the document reference in paragraph 311?', 'case_id': 'Case10645'}, '54c9e641-ddbc-41b8-99f7-95ff686ef7ce': {'query': 'What was the main focus of the arguments presented before the Full Court of the High Court in Welch Perrin & Co Pty Ltd v Worrel?', 'case_id': 'Case10645'}, '45ee46b5-5adb-4ce0-a991-802b4b8133cd': {'query': 'What specific criterion did the Chief Justice reference regarding the construction of a specification when determining its ambiguity in Welch Perrin & Co Pty Ltd v Worrel?', 'case_id': 'Case10645'}, '28737ac0-bc36-4554-9a74-d9b3bd7bf9ab': {'query': \"What specific part of the patent specification was discussed in the case Welch Perrin & Co Pty Ltd v Worrel regarding the description of the inventor's assertion of their invention?\", 'case_id': 'Case10645'}, '577992a1-086c-4314-8be0-228c36c3225c': {'query': 'What requirement does the Australian Act specifically impose on the claims in a patent, as mentioned in the case of Welch Perrin & Co Pty Ltd v Worrel?', 'case_id': 'Case10645'}, 'fe5696c5-7c76-4b91-9904-2f9ac43786b0': {'query': 'What actions did Mr Cahill allege took place on 15, 17, 21, and 22 February 2006 involving the Union and/or Mr Mates?', 'case_id': 'Case9900'}, '7155098a-543c-41ce-a2c8-ad40574a7377': {'query': 'What actions did the Union and/or Mr. Mates allegedly threaten to take against ACN 117 918 064 Pty Ltd trading as Hardcorp on 15 and 17 February 2006?', 'case_id': 'Case9900'}, '522f26bc-0dd3-4d38-84b0-0471cb096b57': {'query': 'What specific requirements must an applicant establish under sub-paragraphs (a) to (c) of r 6 for a successful preliminary discovery application as discussed in St George Bank v Rabo Australia Ltd?', 'case_id': 'Case903'}, '4f984358-b386-4f37-81e2-14d51580e840': {'query': 'What does the case St George Bank v Rabo Australia Ltd indicate about the standard for an applicant to obtain sufficient information before commencing proceedings in court?', 'case_id': 'Case903'}, '503d3405-c135-466e-94d3-25dbe4360a75': {'query': 'What reasons did the Applicant provide for claiming that the Professional Services Review Committee did not properly apply the principles from Briginshaw v Briginshaw in their findings?', 'case_id': 'Case18859'}, 'e6fd532e-bbbe-49bf-ada6-7c919fbde362': {'query': 'What did the Professional Services Review Committee fail to do regarding the patients in relation to the 30 cases sampled?', 'case_id': 'Case18859'}, 'a7f9c1bc-b8c2-4ef2-afdc-6e106390c987': {'query': \"What specific provisions of the Health Insurance Act were referenced in the review of Dr. Mitchelson's practices related to Item 23 and Item 36 services?\", 'case_id': 'Case18859'}, '24b68121-0c82-4cdc-981e-75d83200afc3': {'query': 'What qualifications must the Chairperson and Panel members have if the reviewed practitioner was a consultant physician in a specific specialty?', 'case_id': 'Case18859'}, '0c7bb743-662e-4813-864b-07f515658a24': {'query': 'What was the case outcome of Briginshaw v Briginshaw as referenced in the provided context?', 'case_id': 'Case18859'}}\n", + "Generated mixed qs 3\n", + "0.5347222222222222 0.8055555555555556\n", + "Filled cited db 3\n", + "Generated cited qs 3\n", + "Filled mixed db 4\n", + "{'4981264a-ed48-4815-b9ac-de8f3806d48d': {'query': 'What were the four charges of contempt that the respondent, Dennis Alfred Monamy, was found guilty of in the case Natural Floor Covering Centre Pty Ltd v Monamy (No 1) [2006] FCA 518?', 'case_id': 'Case10047'}, '0af951c2-1003-4055-9e11-84bfba339101': {'query': 'What business name did the respondent begin trading under after ending his relationship with the applicant in 1995?', 'case_id': 'Case10047'}, '6286c0ec-24d6-47bb-adc3-f789ed7dd7a7': {'query': 'What specific actions did the respondent take regarding the business name after being served with the consent orders on 19 January 2006?', 'case_id': 'Case10047'}, '600ed3cf-0699-466b-99d2-a5ddce6e954e': {'query': 'What was the significant conduct that led to the imposition of a $1500 fine in the case of Natural Floor Covering Centre Pty Ltd v Monamy (No 1) [2006] FCA 518?', 'case_id': 'Case10047'}, '9f313615-fbe4-43ba-96fd-ec02dc968525': {'query': 'What was the outcome of the case \"Natural Floor Covering Centre Pty Ltd v Monamy (No 1) [2006] FCA 518\"?', 'case_id': 'Case10047'}, 'd17e578b-3f11-4e90-879c-a4fcfee1ed97': {'query': \"What was the respondent's justification for using a meta tag to communicate the dissociation of his business from the applicant's in the case of Natural Floor Covering Centre Pty Ltd v Monamy (No 1) [2006] FCA 518?\", 'case_id': 'Case10047'}, '9a3ed361-e14c-4319-b69e-028f7557f3c8': {'query': 'What was the amount of the fine imposed by the court in the case of Natural Floor Covering Centre Pty Ltd v Monamy (No 1) [2006] FCA 518?', 'case_id': 'Case10047'}, 'd6325e92-e9a0-4a63-95c9-48c02de7128e': {'query': \"What was the specific legal outcome for the case 'Natural Floor Covering Centre Pty Ltd v Monamy (No 1) [2006] FCA 518'?\", 'case_id': 'Case10047'}, '679da999-daab-4ec3-8338-ed437b38f03c': {'query': \"What was the applicant actually seeking on 16 November 2004 at the Smithfield Community Health Centre, according to the respondent's submissions?\", 'case_id': 'Case13499'}, 'b5b75334-60a4-49fd-ac02-b1e64f55cbd3': {'query': 'What was the amount awarded for general damages in the case discussed in the context?', 'case_id': 'Case13499'}, 'e2fbd6d9-69e6-4b3e-b366-7f944bda19dc': {'query': 'What principles from Argistocrat Technologies Australia Pty Limited v DAP Services influence the assessment of additional damages as mentioned in the context?', 'case_id': 'Case19511'}, 'ccfce15c-fd66-43e3-8002-7b36460224a9': {'query': 'What is the significance of the pecuniary benefit mentioned in the context of the case Raben Footwear v Polygram Records Inc.?', 'case_id': 'Case19511'}, '19b6584c-68cc-4e79-9bbb-bd036f37c758': {'query': \"What was the significance of the citation by Burchett, Gummow, and O'Loughlin JJ in the case of Raben Footwear v Polygram Records Inc.?\", 'case_id': 'Case19511'}, 'ca006046-6e8a-442b-9950-5e04c4ec9020': {'query': 'What two questions assist in examining the character of the advantage sought in the case of Colonial Mutual Life Assurance Society Ltd v Federal Commissioner of Taxation?', 'case_id': 'Case5860'}, '562a8655-628f-4044-b3ed-d8e87222ff30': {'query': 'What was the significance of the payment method for rent in the context of the lease agreement between SHCP and the State, as compared to the cases of Cliffs International and Colonial?', 'case_id': 'Case5860'}, '77ccd11f-300f-4c9c-a97a-9429c1d1bcb5': {'query': 'What was the primary legal principle established in the case NADH v Minister for Immigration & Multicultural and Indigenous Affairs regarding the perception of bias in decision-making?', 'case_id': 'Case11348'}, '8d9374d7-da1e-4c92-8183-fd26bfd10ce2': {'query': 'What specific issues regarding questioning style and conduct were highlighted in the cases referred to in NADH v Minister for Immigration & Multicultural and Indigenous Affairs [2004] FCAFC 328?', 'case_id': 'Case11348'}, 'c83da9ad-50a7-4a5a-8115-cd97c2327bcd': {'query': 'What specific legal principle was cited regarding the difficulty of overturning a decision based on apprehended bias in the case \"Re Lusink; Ex Parte Shaw (1980) 55 ALJR 12\"?', 'case_id': 'Case3954'}, '754a0ac8-8881-4cc5-b566-1cd251a041eb': {'query': 'What specific legal principle did the Commission rely on in determining the jurisdiction of the Court as outlined in the case of Birdseye v Australian Securities and Investments Commission?', 'case_id': 'Case7538'}, '4569a015-e345-44d2-aded-7bdf26a92411': {'query': \"How does the court's consideration of PCR as not being a mere nominal applicant affect the outcome of the case compared to Truth About Motorways Pty Ltd v Macquarie Infrastructure Investment Management Management Ltd?\", 'case_id': 'Case303'}, 'e81a9101-419f-4973-90df-25d1577ad456': {'query': 'What was the significance of the 1968 amendment to the legislation concerning the rights of children of deceased lessees in Mathieson v Burton?', 'case_id': 'Case9625'}, 'fe229446-813e-459d-ab3a-671ee9dd1a48': {'query': 'What argument did the appellant present regarding the nature of the right established by section 83A(1) in the case of Mathieson v Burton?', 'case_id': 'Case9625'}, 'd261e80b-1734-4563-8d6f-02df80d8b2d8': {'query': 'What specific nature of the right is being discussed in the case \"Mathieson v Burton (1970) 124 CLR 1\"?', 'case_id': 'Case9625'}, '5054ddc3-34e9-459a-90f5-47f4e139d0fb': {'query': 'What common elements are identified in the contraventions related to unauthorised industrial action in the case of The Community and Public Sector Union v Telstra Corporation Ltd?', 'case_id': 'Case11831'}, '93033698-b37f-4166-8cea-10a1dbf34310': {'query': \"What issue of law was identified in relation to Mr. Murdaca's application to have the bankruptcy notice set aside?\", 'case_id': 'Case2224'}, '8bd46eef-9e43-4c0a-a6a4-e2d47b298e95': {'query': \"What was the cause of death listed on the Veteran's death certificate in the case of McKenna v Repatriation Commission?\", 'case_id': 'Case17181'}, '77fa1cfe-5f2a-4860-8f50-add9af8e9fc3': {'query': \"What specific Statements of Principles did the Tribunal fail to reference regarding anxiety disorder and panic disorder in Ms. Bowskill's submission?\", 'case_id': 'Case17181'}, '9ade4673-4c50-4d11-b62b-61c3a3a0dbe1': {'query': \"What specific issue with the Tribunal's identification of a hypothesis regarding the Veteran's hypertension is highlighted in the provided context?\", 'case_id': 'Case17181'}, '213013d9-4f5f-4856-811a-2e6e205d94b8': {'query': 'What discretion did the Court consider in relation to granting a costs certificate under section 6 of the Federal Proceedings (Costs) Act 1981 in the case of McKenna v Repatriation Commission?', 'case_id': 'Case17181'}, '4c0f0249-4c04-45ad-93c8-61c2cb9d55d0': {'query': 'What was the outcome of the case McKenna v Repatriation Commission [1999] FCA 323?', 'case_id': 'Case17181'}, 'de8964ae-18e6-459b-92d0-2d4a7fc6d30e': {'query': 'What factors does the court consider in deciding whether to exercise its discretion to grant a costs certificate to the respondent in the appeal of McKenna v Repatriation Commission?', 'case_id': 'Case17181'}, '1015936d-10d2-4244-9230-6fc383bd832b': {'query': \"What was the significance of the date 22 August 2006 in the context of the case, and how did the third respondent's actions or statements on that date impact the proceedings?\", 'case_id': 'Case15335'}, '8117b6ab-f4d6-475d-8cf2-ec4e106eca72': {'query': 'What was the total amount of customs duty and goods and services tax that was not initially paid in the case involving the second and third applicants?', 'case_id': 'Case15335'}, 'd48afeef-0cc1-4385-9d8c-12a1b91136db': {'query': 'What was the specific procedural requirement mentioned in s 190C(2) and (4) that the Registrar allegedly misidentified in the Batchelor No 1 case?', 'case_id': 'Case25112'}, 'e4244d01-55c0-45b3-bdba-9349ebfd7cd8': {'query': 'Why did Telstra choose not to challenge the costs order related to the 2002 proceedings under s 39B of the Judiciary Act 1903 or the Administrative Decisions (Judicial Review) Act 1977?', 'case_id': 'Case20603'}, '82b78c29-febe-44f9-9939-2dff3d336608': {'query': 'What deficiencies in the vessel did J-Mac fail to report to Consort that would have prevented the purchase?', 'case_id': 'Case24795'}, '2274a47a-afb4-4825-b011-954a8e64f01e': {'query': 'What was the reason the valuer had an obligation to exercise reasonable care according to the case of Kenny & Good Pty Limited v MGICA (1992) Ltd?', 'case_id': 'Case24795'}, '422f255c-44ae-4d5e-bc66-cff04fc8640f': {'query': \"What was the basis for Consort's potential financial loss in relation to the advice given by J-Mac regarding the ship's condition?\", 'case_id': 'Case24795'}, '266ca702-e3c7-45e8-bf21-1ecb6796a98d': {'query': 'Who is identified as suffering the loss related to the substantial cost of repairing the ship in the case of Kenny & Good Pty Limited v MGICA (1992) Ltd?', 'case_id': 'Case24795'}, '159263c7-201c-4715-93ad-cb9976d09e87': {'query': \"What jurisdictional authority allows the Court to make orders regarding Mr. Siminton's actions in Australia that could have consequences overseas?\", 'case_id': 'Case15808'}, 'a546c212-875f-4baa-9aaa-3e77b32a4dbc': {'query': 'What specific jurisdictional principle was discussed in the context of the case \"Australian Competition and Consumer Commissioner v Purple Harmony Plates Pty Ltd (No 3) (2002) 196 ALR 576\" as it relates to the defendant?', 'case_id': 'Case15808'}, 'ff92257c-ac0b-4bb7-8197-2204556f7901': {'query': 'What specific types of discrimination are covered under Part IIB of the Act as mentioned in the case text?', 'case_id': 'Case20422'}, 'e80cb119-03a6-4633-94a0-c5f36c485d62': {'query': 'What evidence did Ms. Bahonko fail to present to support her claims of race and disability discrimination against the Royal Melbourne Institute of Technology regarding her doctoral thesis?', 'case_id': 'Case20422'}, 'c53a1bb7-3010-426c-836b-1c4c43078495': {'query': 'What conditions were specified for Ms. Bahonko to receive a waiver of the annual registration fee?', 'case_id': 'Case20422'}, 'cbcae3e8-3d34-40e8-9a2b-cf1c32521ae8': {'query': 'What was the reasoning behind the conclusion that extending time for the Minister to pursue the case would be futile in the case of Charles v Fuji Xerox Australia Pty Ltd?', 'case_id': 'Case20422'}, '19cfff95-8487-4e52-87d1-697ff906f4c6': {'query': 'What doubts did Edmund-Davies and Cross LJJ express regarding the approach of Sachs LJ in Brickfield Properties Ltd v Newton?', 'case_id': 'Case22776'}, '32279f48-0b00-40be-ab56-8842efe655bb': {'query': 'What relevant matters must be considered when imposing pecuniary penalties according to the authorities cited in the case of Australian Consumer and Competition Commission v Visy Industries Holdings Pty Limited (No 3) [2007] FCA 1617?', 'case_id': 'Case22345'}, '89acf402-e763-4fe1-b53d-7a02243dcdb3': {'query': 'What factors were considered in determining whether the company had a corporate culture conducive to compliance with the Act in the Australian Consumer and Competition Commission v Visy Industries Holdings Pty Limited (No 3) case?', 'case_id': 'Case22345'}, 'd080c92c-5d8b-40ad-9af9-3cd54a199757': {'query': \"What did Goldberg J emphasize regarding the penalty's significance in relation to the seriousness of conduct in the case of Consumer and Competition Commission v Leahy Petroleum Pty Ltd?\", 'case_id': 'Case22345'}, 'df77e8f9-f7cd-4fcf-a802-0b37a3ae4391': {'query': 'What is the significance of the \"parity principle\" in the context of the case Australian Consumer and Competition Commission v Visy Industries Holdings Pty Limited (No 3) [2007] FCA 1617?', 'case_id': 'Case22345'}, 'c9384a7f-4f3c-4350-97d2-f885306f2bee': {'query': 'What typographical error did the RRT make in the case of Foroghi v Minister for Immigration and Multicultural Affairs that was highlighted by Marshall J?', 'case_id': 'Case13040'}, '2a6f32b3-ea0f-4cb5-b43f-10a098025f38': {'query': 'What are the specific reasons identified by the Tribunal for the likely persecution of CCC if she returns to Sri Lanka?', 'case_id': 'Case13040'}, 'ff1bee7e-f8c7-4c2c-a5be-0e19293918f0': {'query': 'What is the key issue regarding the application of construction principles as highlighted in the case of Fresenius Medical Care Australia Pty Ltd v Gambro Pty Ltd?', 'case_id': 'Case4818'}, '704983d1-c0d3-4f0a-bd1e-729111b4f3ab': {'query': 'What principles of construction regarding the interpretation of patent specifications were discussed by Hely J in the case of Fresenius Medical Care Australia Pty Ltd v Gambro Pty Ltd?', 'case_id': 'Case4818'}, '3bee81d3-953b-4869-9c3b-60e541dcf951': {'query': 'What legal principle is emphasized in the case of Fresenius Medical Care Australia Pty Ltd v Gambro Pty Ltd regarding the application of the reverse infringement test?', 'case_id': 'Case4818'}, '53ad5708-222e-4482-bfd9-79e29ec8fd2d': {'query': \"What specific failure did the Tribunal commit in relation to Ms. Sit's evidence according to the context of the case?\", 'case_id': 'Case20505'}, '9e061f05-f7b7-42eb-b7af-fa82d4a4e782': {'query': 'What did Giles JA emphasize regarding the circumstances under which a valuer may owe a duty of care to a class of persons in the cited case of Gould v Vaggelas?', 'case_id': 'Case19764'}, '0b0fa753-2700-4483-a2bd-cd2ebecb5072': {'query': \"What specific duty of care was determined by the High Court in relation to the defendant's actions involving infected seed potatoes on a farm in South Australia?\", 'case_id': 'Case19764'}, '1a69ea7a-1e9c-4ef5-b271-1a662149fbbf': {'query': 'What principles from the case Gould v Vaggelas are being referenced in relation to the expectations of clients relying on valuations by Boyds?', 'case_id': 'Case19764'}, '4e26a332-1c62-4982-af13-322faa5af837': {'query': 'What specific negligence was alleged against the valuers in the case involving pyrethrum cropping?', 'case_id': 'Case19764'}, '6b1f9c73-eb95-43ee-8192-67bc06ce7371': {'query': 'What was the date of judgment for the case involving the Honourable Justice Heerey?', 'case_id': 'Case19764'}, '1e261b78-9f83-42ae-aaa8-4d84497bcf97': {'query': 'What criteria does the High Court use to isolate a representative member of the class of prospective purchasers in Campomar Sociedad, Limitada v Nike International Ltd?', 'case_id': 'Case2629'}, 'e85dc086-8ebc-4f98-b5cf-6c0540bb5129': {'query': \"What specific characteristics did the ACCC identify in the consumer segment that was potentially misled by Prouds' conduct regarding pricing and promotions in the jewellery industry?\", 'case_id': 'Case2629'}, 'ffd71112-30a1-4112-9784-2cdce71130c3': {'query': 'What evidence supports the conclusion that some consumers may be unaware of the availability of discounts below the regular marked price in the Campomar case?', 'case_id': 'Case2629'}, '94eb990d-381a-422a-873a-0c3223a6b377': {'query': \"How did the Full Court's judgment in Domain Names Australia Pty Ltd v .au Domain Administration Ltd inform the consideration of hypothetical individuals likely to be misled in the context of Campomar Sociedad, Limitada v Nike International Ltd?\", 'case_id': 'Case2629'}, 'c248b6dd-55b5-4f1d-bd73-a328093d15b7': {'query': 'What led to Campomar Sociedad, Limitada being referred to in the case against Nike International Ltd?', 'case_id': 'Case2629'}, '35857364-284f-4122-8739-d8d1a5d08ca8': {'query': 'How did the court determine the characteristics of the hypothetical individual used to assess the likelihood of being misled in the case of Campomar Sociedad, Limitada v Nike International Ltd?', 'case_id': 'Case2629'}, '6b8727f5-9f20-4b34-ab75-8209f503eb00': {'query': 'What specific aspects of the effect of the notices on the \"ordinary or reasonable\" recipient were relevant in the case of Campomar Sociedad, Limitada v Nike International Ltd?', 'case_id': 'Case2629'}, '0709b67d-48ca-4eca-832d-f6b39e81eced': {'query': \"How did the High Court in Campomar determine the hypothetical person's degree of reasonable care in relation to misleading or deceptive conduct?\", 'case_id': 'Case2629'}, 'd59c1965-82d0-4bf1-a376-ac45d06150dd': {'query': 'What principle regarding the requirement of notice or invitations for submissions was highlighted by Weinberg J in the case of Gribbles Pathology (Vic) Pty Ltd v Cassidy?', 'case_id': 'Case11523'}, '6b9b89b0-3214-46c1-9e02-35f5b28e1b64': {'query': \"What does the case Re BPTC Ltd (In Liq) reference regarding the liquidator's discretion to require an examinee to produce documents?\", 'case_id': 'Case18461'}, 'bf24d702-956b-424f-97b4-5b28e233bc34': {'query': 'What legitimate requirements were discussed regarding the examination of Mr. Viscariello in the case of Re BPTC Ltd (In Liq)?', 'case_id': 'Case18461'}, '46c4c6d3-c279-415d-8a34-fc22a0ac96c0': {'query': 'What did counsel for Mr. Viscariello acknowledge regarding the potential for a further examination order under section 596A?', 'case_id': 'Case18461'}, 'a5f018dd-8b4b-439e-a17e-155a50c64dc2': {'query': 'What key observation did Branson J make regarding the formulation of legal questions in a notice of appeal in the case of Australian Securities and Investments Commission v Saxby Bridge Financial Planning Pty Ltd?', 'case_id': 'Case24231'}, 'de27c8e9-bceb-4685-a747-b6d4fc0bc4c0': {'query': 'What specific error did the Tribunal allegedly make in applying factor 5(b) in the case of Australian Securities and Investments Commission v Saxby Bridge Financial Planning Pty Ltd?', 'case_id': 'Case24231'}, '534324a2-ce08-41a1-ad9e-5af4a4ad5ecc': {'query': 'What was the conclusion reached by the Tribunal regarding factor 5(b) in the case \"Australian Securities and Investments Commission v Saxby Bridge Financial Planning Pty Ltd\"?', 'case_id': 'Case24231'}, '93a18de4-fc06-4ba4-bcc7-95d5f3b26f2d': {'query': \"What is the significance of the applicant's status in relation to the native title determination application as highlighted in the case of Bolton on behalf of the Southern Noongar Families v State of Western Australia?\", 'case_id': 'Case19022'}, '2b6a3015-2c68-4d9b-b30f-0bf9669d9830': {'query': 'What is the significance of the Tribunal failing to consider claims presented in the material before it, as highlighted in the case of Htun v Minister for Immigration and Multicultural Affairs?', 'case_id': 'Case3594'}, '78096624-a9ab-4fd1-a22a-095c8ac08480': {'query': 'What was the conclusion reached by Lander J regarding the existence of the Garrett Family Trust in the case of Universal Holidays Pty Ltd v Tseng?', 'case_id': 'Case19106'}, 'c726a9f7-a967-457a-b0de-a3183e02f3d9': {'query': \"What did Lander J note about Mr. Garrett's intention in seeking leave in the case of Garrett v Macks?\", 'case_id': 'Case19106'}, '0d610912-e91b-48cd-bff4-293bf6d89c54': {'query': 'What was the specific amount awarded by the Federal Magistrate to Autodesk Australia in the case of Ginos Engineers Pty Ltd v Autodesk Australia Pty Ltd [2007] FMCA 2156?', 'case_id': 'Case4650'}, '04e180e0-2062-4bd3-915f-f20282aabbe5': {'query': 'What specific reasons did the Federal Magistrate provide for deciding to award costs on a lump sum basis in the case of Ginos Engineers Pty Ltd v Autodesk Australia Pty Ltd?', 'case_id': 'Case4650'}, 'b5229df3-b3c9-465f-82bf-2265421273d4': {'query': \"What was the reasoning behind the Federal Magistrate's decision not to order that the costs be taxed in the case of Ginos Engineers Pty Ltd v Autodesk Australia Pty Ltd?\", 'case_id': 'Case4650'}, 'f813aa10-cf92-4263-a37c-6e4895e0d4e4': {'query': 'What specific grounds of appeal were mentioned in the case of Ginos Engineers Pty Ltd v Autodesk Australia Pty Ltd that could relate to the decision to make a lump sum order?', 'case_id': 'Case4650'}, '28545ee7-e597-4276-8e72-d80252b147b7': {'query': 'What was the outcome of the case Ginos Engineers Pty Ltd v Autodesk Australia Pty Ltd [2007] FMCA 2156?', 'case_id': 'Case4650'}, '6ec0d195-04cf-4e70-a95c-51083c6cc150': {'query': 'What was the total amount of professional costs and disbursements incurred in the case of Ginos Engineers Pty Ltd v Autodesk Australia Pty Ltd prior to any deductions?', 'case_id': 'Case4650'}, '1b95be33-83f3-487d-ac0c-6ac9a168d588': {'query': 'What reduction did His Honour make to the assessed costs in the case of Ginos Engineers Pty Ltd v Autodesk Australia Pty Ltd?', 'case_id': 'Case4650'}, '2df5a962-63fe-4e96-9ca3-413dc5414f17': {'query': 'What were the specific reasons the assessment did not grant cost allowances in favor of the applicant in the case of Ginos Engineers Pty Ltd v Autodesk Australia Pty Ltd?', 'case_id': 'Case4650'}, '4cf1fd08-ddf4-4fd9-ad4d-71f2cb808c35': {'query': 'What was the range of costs that was referenced in the case Ginos Engineers Pty Ltd v Autodesk Australia Pty Ltd?', 'case_id': 'Case4650'}, 'e4c274b5-0cf0-41ba-b339-417393d3bf1b': {'query': 'What was the outcome of the case Ginos Engineers Pty Ltd v Autodesk Australia Pty Ltd [2007] FMCA 2156?', 'case_id': 'Case4650'}, 'b593c130-95e2-407f-8a9b-82b3f8154ddb': {'query': \"What were the specific criticisms made by counsel regarding Mr. Williams' affidavit in the case of Ginos Engineers Pty Ltd v Autodesk Australia Pty Ltd?\", 'case_id': 'Case4650'}, 'bb075d23-09f8-4d99-b2fb-48d27e8c3076': {'query': 'What cautionary measures are recommended before concluding that a claim group is a sub-group of a native title claim group, as mentioned in the context of the case Bodney v State of Western Australia?', 'case_id': 'Case9278'}, '55bec635-2fb4-4910-ad2d-37e276ffb88c': {'query': 'What specific observations did Wilcox J make in the Bodney v State of Western Australia [2003] case as referenced in the context?', 'case_id': 'Case9278'}, '0066499f-11ff-4afa-8881-969708437e6a': {'query': 'What is the significance of the observations made by Dixon J in the context of the current motions related to intellectual property rights and the extension of PP2?', 'case_id': 'Case8604'}, 'd56d56f1-d5ae-461d-ae71-e31fe4e33f46': {'query': \"What reasons do the respondents provide for opposing the applicant's request to amend the patent request under section 105 of the Old Act?\", 'case_id': 'Case8604'}, 'f0af3851-ec6b-45bc-a94d-91df0fb03148': {'query': 'What did Gibbs CJ indicate regarding the class of consumers to be considered under Section 52 in the case of Parkdale Custom Built Furniture Pty Ltd v Puxu Pty Ltd?', 'case_id': 'Case2835'}, '9884cfda-b3ce-4982-a030-40a92a19575e': {'query': 'What legal principle regarding misleading conduct was referenced in the context of the case Campomar Sociedad Limitada v Nike International Ltd?', 'case_id': 'Case2835'}, 'e13a4b84-9559-40d5-ab85-bcf90710ce6d': {'query': 'What guidance did the High Court provide in the Campomar case regarding how to assess whether conduct is misleading or deceptive to the public?', 'case_id': 'Case2835'}, 'b2fc9f22-906a-4550-a1b2-5f95e6feb3c4': {'query': 'What did the High Court affirm regarding the application of s 52 assumptions in the context of extreme or fanciful reactions in Campomar Sociedad Limitada v Nike International Ltd?', 'case_id': 'Case2835'}, '56960cca-5fa1-4794-81f7-50e48e5dd37d': {'query': 'What did Their Honours emphasize regarding the distinction between causing confusion and answering the statutory description in the case of Campomar Sociedad Limitada v Nike International Ltd?', 'case_id': 'Case2835'}, '11d138a5-592b-4b51-b19c-056d4f2d6731': {'query': \"What was the basis for Mobil Oil Australia's successful appeal regarding the disclosure of documents containing trade secrets in the case against Guina Developments?\", 'case_id': 'Case8288'}, '29b7762c-d0a9-48ec-9246-121171bffa62': {'query': 'What did Hayne JA conclude about the implications of disclosing confidential information to a trade rival in the case of Mobil Oil Australia Ltd v Guina Developments Pty Ltd?', 'case_id': 'Case8288'}, 'd153ed20-c245-4051-b689-3a611104787e': {'query': 'What specific types of inadvertent disclosure risks did the court identify in the case of Mobil Oil Australia Ltd v Guina Developments Pty Ltd?', 'case_id': 'Case8288'}, '2e1bf10f-f396-4966-b2f6-9d8c89f08608': {'query': 'What specific potential issues arise from providing confidential information to in-house counsel in the case of Mobil Oil Australia Ltd v Guina Developments Pty Ltd?', 'case_id': 'Case8288'}, 'dde2c3a6-34f2-40d1-8ecd-7bfb41f328c2': {'query': 'What was the outcome of the case Mobil Oil Australia Ltd v Guina Developments Pty Ltd?', 'case_id': 'Case8288'}, '943f0d43-c136-4331-b535-fad16d86bf19': {'query': 'What concerns were raised regarding the confidentiality of the documents in the case Mobil Oil Australia Ltd v Guina Developments Pty Ltd?', 'case_id': 'Case8288'}, '87d68823-5d56-45e9-9c9c-8beadccceca7': {'query': 'What was emphasized by Kenny J regarding the nature of bad faith in decision-making as discussed in Spalla v St George Motor Finance Ltd (No 7)?', 'case_id': 'Case7929'}, '74069504-f3e3-4d77-b62e-9c1b04bafc36': {'query': 'What specific evidence did Ms. Obieta rely on to support her claim of bad faith in the termination of her complaints by the Commission?', 'case_id': 'Case7929'}, '2ca05264-4357-40df-8f7d-88cf8e26abf9': {'query': 'What were the primary claims made by IEL Finance Limited against the Commissioner of Taxation regarding inter-group transactions?', 'case_id': 'Case18102'}, '86e7face-3ede-4def-8400-6497462eac77': {'query': \"What was the outcome of the Federal Court's proceedings concerning the deductibility of losses for the same corporate group member in the case of Chamberlain v Deputy Commissioner of Taxation?\", 'case_id': 'Case18102'}, '68d2ae44-308a-4fb4-8be2-e061e67c56a9': {'query': 'What legislative provisions from the Tax Assessment Act 1936 and the Tax Administration Act 1953 were cited and applied in the case of Chamberlain v Deputy Commissioner of Taxation?', 'case_id': 'Case18102'}, '6f02b303-ac74-4a7a-a1f7-d861c5b5fc0e': {'query': 'How was the case of Chamberlain v Deputy Commissioner of Taxation [1988] HCA 21 related to the discussions mentioned in the context?', 'case_id': 'Case18102'}, '3dab57fd-de71-4a93-ab0c-153281d00dd3': {'query': 'What was the primary legal issue discussed in Chamberlain v Deputy Commissioner of Taxation [1988] HCA 21?', 'case_id': 'Case18102'}, 'ca7e56ad-b3ca-4591-b27d-b3dfa0cd8a4e': {'query': 'What specific case was discussed and distinguished in relation to Hill Proprietary Company Limited v The Municipal Council of Broken Hill from 1925?', 'case_id': 'Case18102'}, '5d2176e4-7902-4324-a615-00a306a2454a': {'query': 'What was the outcome of the case \"Chamberlain v Deputy Commissioner of Taxation [1988] HCA 21; (1987-1988) 164 CLR 502\" as mentioned in the context?', 'case_id': 'Case18102'}, '4ee99943-9428-4cd3-b13e-097ae34e57e5': {'query': 'What specific orders were the taxpayer applicants instructed to submit to the Court within fourteen days following the judgment made by Judge Conti on 21 March 2006?', 'case_id': 'Case18102'}, '34739b85-3cf8-4509-84e2-1bc3b0a8d7a4': {'query': 'What was the reason the High Court held that the second action by the Commissioner for recovery of the balance of the tax assessment was not maintainable?', 'case_id': 'Case18102'}, 'e74c85fe-1bd2-44f8-8aa5-c6c806197acf': {'query': 'What legal principle discussed in the case of Chamberlain v Deputy Commissioner of Taxation indicates that a Commissioner is not bound by a determination made for one assessment year in relation to other years?', 'case_id': 'Case18102'}, '7df3f4d1-e8e7-4155-80d4-9500785a0c90': {'query': 'What was significant about the lack of references to Caffoor in the judgments by Brennan J and Dawson J in the case of Chamberlain v Deputy Commissioner of Taxation?', 'case_id': 'Case18102'}, '4757e39c-11d3-40da-87e3-435be087aadd': {'query': 'What do clauses 7.3 and 7.4 of the franchise agreement require Allphones to do in relation to its obligations to the franchisees?', 'case_id': 'Case16688'}, 'c102a478-711f-4ab7-9e1e-e371d5670018': {'query': 'What specific contractual claims made by Hoy Mobile are being considered for the right to receive payments?', 'case_id': 'Case16688'}, '0dc52a61-0d4f-436b-88dc-b349c91d97f5': {'query': 'What specific powers do Common Law Superior Courts retain after making a judgment, as noted by Drummond J in the case of Australian Competition & Consumer Commission v The Shell Company of Australia Limited?', 'case_id': 'Case4405'}}\n", + "Generated mixed qs 4\n", + "0.6475409836065574 0.8442622950819673\n", + "Filled cited db 4\n", + "Generated cited qs 4\n", + "Filled mixed db 5\n", + "{'39a0f550-8c28-4dcf-a948-8216b93e9a12': {'query': 'What did the court acknowledge regarding the relationship between breaches of non-essential terms and a party\\'s right to rescind in the context of \"Nina\\'s Bar Bistro Pty Ltd v MBE Corporation (Sydney) Pty Ltd\"?', 'case_id': 'Case16685'}, 'fa504257-cccd-4e43-9bf7-fd9c1e4b4cae': {'query': \"What principle related to concurrent obligations was established in the case of Nina's Bar Bistro Pty Ltd v MBE Corporation (Sydney) Pty Ltd as referenced in the context?\", 'case_id': 'Case16685'}, 'ca9bad3d-1b91-4aac-858e-eaeaa9e5ca54': {'query': \"What is the essential requirement for proving non-compliance in the case of Nina's Bar Bistro Pty Ltd v MBE Corporation (Sydney) Pty Ltd?\", 'case_id': 'Case16685'}, 'f0e1dd69-16ae-459a-950b-7b3ba2a97bcf': {'query': 'What types of goods or classes of goods can a proprietor register their mark for, according to the case text?', 'case_id': 'Case21650'}, 'bccfdcd4-be71-4455-8a63-496754c99c73': {'query': \"What was the specific constitutional validity established in the case Re Joske; Ex parte Shop Distributive and Allied Employees Association as referenced in the context of the Electoral Commissioner's application?\", 'case_id': 'Case24649'}, 'b3ab5ef2-04ec-407c-aad6-6b07341ee9ae': {'query': 'What was the basis for the intervention by the attorney in the case titled \"Re Joske; Ex parte Shop Distributive and Allied Employees Association [1976] HCA 48\"?', 'case_id': 'Case24649'}, '78ef2c8e-3666-46e1-89e4-6835de1ab72e': {'query': 'What specific allegations in paras 13 and 33 is Spirits failing to plead material facts for in their proposed amendments against Diageo related to the Ruski RTD?', 'case_id': 'Case13092'}, '1b52327a-f3ca-4c74-a6f2-97185c3587b2': {'query': 'What specific procedural fairness opportunities were afforded to the applicant in these proceedings compared to those available to Ainsworth in the referenced case?', 'case_id': 'Case9951'}, 'd0820eec-eed5-4df9-9786-55d598e53b06': {'query': 'Why was the applicant in the case \"Annetts and Anor v McCann and Ors [1990] HCA 57\" determined not to be a refugee?', 'case_id': 'Case9951'}, '29a25128-b7b6-4d22-96db-7bbfad4ca860': {'query': 'What principle from the case Bell v Queensland (2006) is applied regarding the imposition of penalties for multiple offences against the same provision of law?', 'case_id': 'Case22593'}, '229c56ff-6fd4-48db-b6f1-753991cd390d': {'query': 'What was the reason Mr. Vu chose to plead guilty in his case, as mentioned in the context?', 'case_id': 'Case22593'}, '636cd12d-ffe1-4c10-b49d-2ecd432fbd06': {'query': 'What specific defect or irregularity in the Notice was raised by the respondent regarding the failure to include an interest calculation, as mentioned in the context of the Australian Steel Company case?', 'case_id': 'Case20321'}, '40469f0b-5b0f-4e55-9cca-e6b5d3168372': {'query': 'What specific requirement of the Act did the appellant argue was not complied with in the Notice related to The Australian Steel Company (Operations) Pty Ltd v Lewis case?', 'case_id': 'Case20321'}, '83402381-1a61-4162-b47d-23e7379f96ad': {'query': 'What was the principal sum of the final judgment debt in the 2003 Orders made on 12 June 2003?', 'case_id': 'Case20321'}, '8719a934-b347-406e-970d-78763d8e8531': {'query': 'What was the key change in the bankruptcy notice requirements as outlined in the case of The Australian Steel Company (Operations) Pty Ltd v Lewis?', 'case_id': 'Case20321'}, '57a03375-c043-4f4b-9e02-55532ca57634': {'query': 'What specific aspect of the case titled \"The Australian Steel Company (Operations) Pty Ltd v Lewis [2000] FCA 1915 ; (2000) 109 FCR 33\" was discussed in the outcome?', 'case_id': 'Case20321'}, '7018039f-3ff8-42b2-b9a0-7ccc835b50dd': {'query': 'What was determined regarding the necessity of including particulars of the calculation of interest in the bankruptcy notice, as discussed in the case of The Australian Steel Company (Operations) Pty Ltd v Lewis?', 'case_id': 'Case20321'}, 'a1990daa-4ed8-4100-972d-c720de491ab8': {'query': 'What was the essential requirement regarding the calculation and recitation of interest amount in the notice related to the case \"The Australian Steel Company (Operations) Pty Ltd v Lewis [2000] FCA 1915\"?', 'case_id': 'Case20321'}, '8c131bcf-f5e1-4617-a388-f9f3f49bf164': {'query': 'What does the endorsement on the new notice imply about the necessity of attaching additional documents related to costs and interest in the case of The Australian Steel Company (Operations) Pty Ltd v Lewis?', 'case_id': 'Case20321'}, 'b38cc10b-9281-4b71-8b30-d399a557e5f2': {'query': 'What specific comments did Justice Gyles make regarding the 1996 amendments in the case \"The Australian Steel Company (Operations) Pty Ltd v Lewis [2000] FCA 1915\"?', 'case_id': 'Case20321'}, 'f9c22b0a-bd50-464c-a85e-5cb84e8e3a5e': {'query': 'What did Justice Gyles conclude regarding the relationship between the 1996 amendments to the Act and the new regulations in the case of The Australian Steel Company (Operations) Pty Ltd v Lewis?', 'case_id': 'Case20321'}, 'dd187334-2d86-4712-9858-8cc787441275': {'query': \"What does the majority judgment in Kleinwort Benson imply about the necessity of strict compliance with forms prescribed by delegated legislation in the context of the High Court's decision?\", 'case_id': 'Case20321'}, '6cab8474-071d-4ce2-9f8a-6e5f0fd19893': {'query': \"What impact did the reasoning in the subsequent cases, particularly Adams [2006] HCA 10 and Lewis [2000] FCA 1915, have on Justice North's analysis of the non-compliance with note 2 of the bankruptcy notice in this case?\", 'case_id': 'Case20321'}, '06df7cb5-1ecf-4add-8216-346a8a704de4': {'query': 'What specific binding determination of the Supreme Court of Victoria is referenced in the decision that distinguishes this case from the one decided by North J?', 'case_id': 'Case20321'}, '3bae4a54-6f5b-4761-9f6c-267e6ecd0bf9': {'query': 'What specific paragraphs in the statement of claim do the respondents argue do not support a challenge to the removal of the applicant from Australia?', 'case_id': 'Case14069'}, '02b86f62-6dd1-4a42-9eb2-079865690565': {'query': 'What does the court determine about the challenge to the decision regarding the applicant\\'s removal from Australia in the case \"Plaintiff S157/2002 v Commonwealth [2003] HCA 2\"?', 'case_id': 'Case14069'}, '48159767-caf8-444e-9f3c-16bd953f5512': {'query': 'What specific evidence did ACN provide to support its claim that the further prosecution of the litigation became futile?', 'case_id': 'Case23394'}, '44f53f8b-1b7c-405a-ac50-aad64c927325': {'query': \"What does Order 22 of the Federal Court Rules specify regarding a party's liability for costs upon discontinuing a proceeding?\", 'case_id': 'Case23394'}, 'c77bf4bb-6ebd-4af0-9183-bcb0cc37ead9': {'query': 'What factors does the Court consider when determining the costs to be paid by a party who discontinues proceedings, as outlined in the case \"Re Minister for Immigration and Ethnic Affairs; Ex parte Lai Qin\"?', 'case_id': 'Case23394'}, 'b5f17c5a-8620-4ac5-8d1e-e45971a95ad0': {'query': 'What principle regarding costs did McHugh J highlight in Ex parte Lai Qin, particularly in situations where both parties acted reasonably?', 'case_id': 'Case23394'}, '9872f9a6-5d86-4e5b-9c86-896e5316c572': {'query': 'What criteria did Rose and Riva fail to establish in their case against the Lenders regarding their ability to make judgments about their own best interests?', 'case_id': 'Case2151'}, '94b7b5b5-0f55-4412-8d04-cf7c345abcba': {'query': 'What concessions did Mr. Rose have to make to the Lenders in order to obtain an extension of the facilities for Riva?', 'case_id': 'Case2151'}, '45891566-8c79-4854-8507-e0537ef8bba8': {'query': 'What specific properties were involved in the business activities of Riva as mentioned in the context?', 'case_id': 'Case2151'}, '8abaee8c-f0f5-4166-b352-8d65af51d66b': {'query': 'What legal principle regarding re-communication of privileged communications is established in Spotless Group Ltd v Premier Building and Consulting Group Pty Ltd?', 'case_id': 'Case22248'}, '36d5a3c9-162f-482c-9894-4899890f09fc': {'query': 'What serious allegations were made against the Deputy Commissioner of Taxation in the case Haritopoulos Pty Ltd v Deputy Commissioner of Taxation [2007]?', 'case_id': 'Case16722'}, 'ec0dfa7b-75af-42ea-9e9c-e4bdfdb330a1': {'query': 'What specific allegations of \"fraud\" or \"equitable fraud\" are addressed in the case of Haritopoulos Pty Ltd v Deputy Commissioner of Taxation [2007] FCA 394?', 'case_id': 'Case16722'}, '38b52a11-bbd0-435d-a781-231d3b003190': {'query': 'What are the grounds on which a notice to produce may be set aside, as mentioned in the case of Crown Joinery Pty Ltd v Lyleho Pty Ltd?', 'case_id': 'Case2558'}, '58919a4e-8252-49e8-9df0-b80188d36a2e': {'query': 'What did Brightman J describe as examples of \"the flagrancy of the infringement\" in Ravenscroft v Herbert and New English Library Limited [1980]?', 'case_id': 'Case15236'}, 'c2878753-5b3d-4723-add7-6173b62c4e85': {'query': 'What was the rationale behind awarding a modest sum of $10,000 in the Ravenscroft v Herbert case despite the absence of evidence showing financial benefit to the respondents?', 'case_id': 'Case15236'}, 'ccc201e0-9b0b-45f9-bb15-f0e240536f76': {'query': \"What representation in the brochure influenced the first applicant's decision to enter into the lease before the settlement on 28 February 2000?\", 'case_id': 'Case19468'}, '6e25a193-9ae7-40af-8abb-766f7c07ca02': {'query': 'What calculation is mentioned in relation to the separate awards of damages in the case Demagogue Pty Ltd v Ramensky?', 'case_id': 'Case19468'}, 'a5e49f1c-0505-4694-ad18-8e1ad4bb6077': {'query': 'What did Tamberlin J emphasize about the importance of enforcing court orders in the decision of Australian Competition and Consumer Commission v Hughes?', 'case_id': 'Case12360'}, 'd759956d-d7a2-4e01-b612-985c4f2f596d': {'query': 'What remedies does the court have available to ensure compliance with its orders, as mentioned in the context?', 'case_id': 'Case12360'}, 'adff89e5-e51b-44b5-8ca9-fa6d29b838d7': {'query': 'What specific legal precedent was cited in the case Deputy Commissioner of Taxation (Cth) v Hickey and Horne regarding the decision outcome?', 'case_id': 'Case12360'}, '3d2a918b-68bd-44f5-ae6f-71cd97e8278e': {'query': 'What specific types of loss or damage are considered sufficient for claims under subsection 1041I(1) of the Corporations Act 2001 as discussed in the case of Murphy v Overton Investments Pty Ltd?', 'case_id': 'Case24221'}, 'b9acdcf4-e8f0-438c-88bd-37f5a5c307b4': {'query': 'How does the distinction made by the High Court between the cases of Murphy v Overton Investments and the current context affect the determination of actual loss for DFE regarding its shares in APIR?', 'case_id': 'Case24221'}, '78a5cd86-2c58-414f-b3a5-c00682cbb549': {'query': 'What was the relationship of the executive directors to the shares mentioned in the case Murphy v Overton Investments Pty Ltd (2004) 216 CLR 3?', 'case_id': 'Case24221'}, 'c8f33724-20ea-4fb5-9e63-2af5597578b7': {'query': 'What principle did Ms Baird rely on to argue for allowing the respondent to file evidence after the applicant closes its case in the contempt proceedings?', 'case_id': 'Case4217'}, 'ee2fcd70-5689-4a22-98e8-22e164c502b6': {'query': 'What potential implications does the use of the respondent\\'s affidavit evidence have on the ability to make a \"no case\" submission in the context of Witham v Holloway?', 'case_id': 'Case4217'}, 'd10df411-14e9-41c5-9f0c-1a57088a201c': {'query': 'What specific reasoning did the Court provide in Witham v Holloway regarding the distinction between contempt proceedings and criminal proceedings?', 'case_id': 'Case4217'}, 'd455ad6f-8a07-48cc-9bbe-01d92a394676': {'query': \"What was the key legal issue regarding the power to order a retrial after a jury's guilty verdict was quashed on appeal in the case of Witham v Holloway [1995] HCA 3?\", 'case_id': 'Case4217'}, '191600c1-4025-465f-b470-b563b6892d7f': {'query': \"What specific reasons were identified for the appellant's failure to present the statutory declaration at the hearing?\", 'case_id': 'Case20247'}, '6f8d88ff-dd68-478b-9bb1-f6babd24b5dd': {'query': 'What rights are included in the definition of a share as cited in the case of Sydney Futures Exchange Ltd v Australian Stock Exchange Ltd?', 'case_id': 'Case3812'}, '27897c07-4e0a-4d40-89b8-ae75846bc8ec': {'query': \"What was the reasoning behind the Tribunal's decision that there was no breach of section 424A of the Act in this case?\", 'case_id': 'Case15133'}, 'ba39b875-cd81-4490-a01d-abb97a310cd8': {'query': 'What are the key reasons the court found that Armacel is not deprived of a legitimate forensic disadvantage in bringing its claim in the United States?', 'case_id': 'Case14102'}, 'f8314330-f00b-41fb-827f-d931e5758df3': {'query': 'What specific complaint was filed with the Occupational Health & Safety Administration in relation to the case of Reinsurance Australia Corporation Ltd v HIH Casualty & General Insurance Ltd (in Liquidation) [2003] FCA 56?', 'case_id': 'Case14102'}, '603c3a51-1189-4149-b123-d0abff80ab19': {'query': 'What specific legislative amendment in 2006 added Chapter 4 Part 7 Division 1A to the EPBC Act, as discussed in the submissions of Mr. Gotterson QC?', 'case_id': 'Case3948'}, '7f858c9d-6948-46df-b4fd-c3385509bf17': {'query': \"What was the primary concern regarding the construction of section 74B as raised by the Minister in the context of the applicant's arguments?\", 'case_id': 'Case3948'}, 'c06fe238-1fb1-457e-b4d9-533a262ec702': {'query': 'What does the case establish about the validity of decisions made by the Minister under the EPBC Act when a time limit is not complied with?', 'case_id': 'Case3948'}, 'dc9d7a2f-4440-4adb-a288-2ba880cf3dc6': {'query': 'What does the case outcome of \"applied\" signify in relation to the interpretation of s 74B of the EPBC Act according to the context provided?', 'case_id': 'Case3948'}, '46a12f14-dad6-4c6d-9fe5-ef3e91034406': {'query': 'What was the outcome of the case titled \"Project Blue Sky v Australian Broadcasting Authority [1998] HCA 29\"?', 'case_id': 'Case3948'}, '64b9ff75-b9cc-404f-8afa-bb51d3814b1e': {'query': 'What observation did the High Court make regarding the validity of acts done in breach of a condition regulating the exercise of statutory power in the case of Project Blue Sky v Australian Broadcasting Authority?', 'case_id': 'Case3948'}, '85046dfb-f32f-4585-8e16-1a4860a4188c': {'query': 'What is the significance of the 20 business days timeframe in relation to the validity of decisions made by the Minister under section 74B of the EPBC Act as discussed in the context?', 'case_id': 'Case3948'}, '721e2f6f-d18c-4277-bea1-bdd6c19a6f08': {'query': \"What are the implications of the court's interpretation of directory versus mandatory statutes as discussed in the case Project Blue Sky v Australian Broadcasting Authority?\", 'case_id': 'Case3948'}, 'a75e17b4-7f86-428f-a4f0-404a53573f71': {'query': 'What was the prescribed time frame for justices to try rioters according to the statute referenced in the case of Project Blue Sky v Australian Broadcasting Authority?', 'case_id': 'Case3948'}, '3d5e58b8-93ad-4ac4-b5b9-f40cd5a1f8d7': {'query': 'What specific information did the s 424A letter provide to the appellant regarding its relevance to the review, as referenced in the case of SZKCQ v Minister for Immigration and Citizenship?', 'case_id': 'Case6402'}, '971dba36-6f34-40b3-a59f-64e6dc07cfd3': {'query': 'What is the significance of the case Texas Co (Australasia) Ltd v Federal Commissioner of Taxation in the context of interest deductibility as discussed in the case text?', 'case_id': 'Case21093'}, '00b32089-c410-4159-800b-11c89040e4f7': {'query': 'What particular circumstances might allow interest payments to be regarded as non-deductible in the case of Texas Co (Australasia) Ltd v Federal Commissioner of Taxation?', 'case_id': 'Case21093'}, '297ee882-f940-44af-b7c9-dbb3ab309719': {'query': \"What specific form of direction did the plaintiffs' counsel seek that was based on the precedent established in Re One.Tel Networks Holdings Pty Ltd?\", 'case_id': 'Case20972'}, '24f7a1b3-4aeb-42b7-aa07-febe48d4ae2a': {'query': 'What specific direction did Austin J prefer to use instead of the word \"declare\" in the case Re One.Tel Networks Holdings Pty Ltd?', 'case_id': 'Case20972'}, '4f4fe349-c69e-4486-bc32-adb7f8371f54': {'query': 'What direction did the court refuse to give regarding the commercial propriety or reasonableness of transactions proposed by the receiver in the case of Re One.Tel Networks Holdings Pty Ltd?', 'case_id': 'Case20972'}, '0e0a3c51-909a-4f4e-a104-dcb327de3f14': {'query': \"How did the court's ruling in Re One.Tel Networks Holdings Pty Ltd interpret the application of the mortgagee principle regarding the sale of mortgage property?\", 'case_id': 'Case20972'}, '8fbdd578-00cc-4906-a287-78ff737c1d94': {'query': 'What was the outcome of the case titled \"Re One.Tel Networks Holdings Pty Ltd (2001) 40 ACSR 83\"?', 'case_id': 'Case20972'}, '5e6f5f06-d938-4661-9628-35cc86175005': {'query': 'What specific direction was made by the court regarding the lawful status of the Contract in relation to the relationship between TIGA and Thorney in the case of Re One.Tel Networks Holdings Pty Ltd?', 'case_id': 'Case20972'}, '8314d0c1-3962-4b7f-8ebf-d3564a56be55': {'query': 'What specific concerns regarding good faith, proper procedure, and fair price were not addressed in the summary judgement of the case \"Re One.Tel Networks Holdings Pty Ltd\"?', 'case_id': 'Case20972'}, '4c4fe914-4680-4e73-b4fc-4a79aec5049f': {'query': 'What was the specific concern regarding the lawfulness of entering into the Contract with TIGA that the plaintiffs sought direction on in the original form?', 'case_id': 'Case20972'}, 'c4cc3d46-0d80-44e2-adf0-95b96d2f88f7': {'query': \"What specific obligations under section 420A(1) of the Corporations Act were referenced in relation to Mr. White's affidavit in the case of Re One.Tel Networks Holdings Pty Ltd?\", 'case_id': 'Case20972'}, '1f67baaa-2fc5-4b16-8a82-ab59c7baba4e': {'query': 'What was the outcome of the case titled \"Re One.Tel Networks Holdings Pty Ltd (2001) 40 ACSR 83\"?', 'case_id': 'Case20972'}, '189d8ad0-71f3-4af5-80d6-fb3d28f245bf': {'query': 'What specific concerns did the defendants have regarding the direction sought in the case of Re One.Tel Networks Holdings Pty Ltd?', 'case_id': 'Case20972'}, 'b188d449-4694-4277-9d95-6e4442c81929': {'query': \"What specific evidence was lacking in the case of Price v Repatriation Commission that differentiated it from the current case regarding the veteran's application under the Internment Act?\", 'case_id': 'Case5635'}, '8457ef36-a466-4e9c-adab-5d749bcc6c9b': {'query': 'What was the main controversy in the Price case regarding the definition of \"interned\"?', 'case_id': 'Case5635'}, '128c294b-72b3-41fd-a20d-ebec48b03081': {'query': \"What specific evidentiary regime from the Veterans' Entitlements Act 1986 (Cth) was misapplied in the case of Price v Repatriation Commission?\", 'case_id': 'Case5635'}, '8040ff9c-9160-4c9e-8925-c94f1a2469f5': {'query': 'What was the significance of the order to disarm in determining whether Mr. Price was considered \"interned\" under the relevant statutory definition?', 'case_id': 'Case5635'}, '5d1f45a0-54f6-4bf2-8083-6acc8fe2894a': {'query': 'What was the specific legal context or issue addressed in the case Price v Repatriation Commission [2003] FCA 339?', 'case_id': 'Case5635'}, '0c3caac2-2a11-4f4b-8530-242bf56ba70e': {'query': \"What factual conclusion did the AAT make regarding the Veteran's status during World War II, specifically in relation to being a prisoner of war?\", 'case_id': 'Case5635'}, 'f73188dd-01a9-4a1c-9374-05c2b834370a': {'query': 'What was the basis for the Administrative Appeals Tribunal\\'s (AAT) conclusion that the Veteran was not \"held captive\" in Singapore during his time there?', 'case_id': 'Case5635'}, 'f410e170-be6f-4361-a1f5-f39a91945207': {'query': \"What did the AAT conclude about the essential character of the Veteran's time in Singapore after its fall in relation to the Internment Act?\", 'case_id': 'Case5635'}, '87d58152-200c-4761-8618-d95e15400f76': {'query': \"What was the significance of the veteran's location in a designated surrender area at the time of his escape in the context of the case Price v Repatriation Commission?\", 'case_id': 'Case5635'}, '45a72811-1d0a-48e5-8e0e-550d6d1d2f8f': {'query': 'What was the case outcome for \"Price v Repatriation Commission [2003] FCA 339\" as mentioned in the context?', 'case_id': 'Case5635'}, '82e793df-9a9d-48b8-a50e-865bc2647bcf': {'query': 'What specific factors should be considered when determining a veteran\\'s eligibility for compensation in relation to their status as a \"prisoner of war\" in the case discussed?', 'case_id': 'Case5635'}, '204b2d83-99a0-4c79-b89f-f685c183b649': {'query': \"What legal perspective did Dr. T P Fry provide regarding the status of Mr. Collett after his unit's surrender, as referenced in the case of Price v Repatriation Commission?\", 'case_id': 'Case5635'}, 'd5042d19-7c56-47c4-bf16-18f11ec92684': {'query': 'What does Section 15AB of the Acts Interpretation Act 1901 (Cth) allow in relation to the interpretation of an Act, as discussed in the context of the Price v Repatriation Commission case?', 'case_id': 'Case5635'}, '19bcaa22-ebf1-4beb-a3d4-49dcbc50ec7e': {'query': 'What criteria were specified for determining which prisoners of war were eligible for the one-off compensation payment mentioned in the case of Price v Repatriation Commission?', 'case_id': 'Case5635'}, '3ecbcc32-0c77-45f1-ae9d-2964f40df52e': {'query': 'What was the outcome of the case titled \"Price v Repatriation Commission [2003] FCA 339 ; (2003) 127 FCR 274\"?', 'case_id': 'Case5635'}, 'ae14b214-d83b-4bbb-bfa7-f06e4f259354': {'query': \"What specific conclusion did the Tribunal reach regarding Mr. Collett's status in the surrender area as discussed in the case of Price v Repatriation Commission?\", 'case_id': 'Case5635'}, '8b1fa243-42e9-420c-9ab8-d7cd3e885d24': {'query': \"What was the Tribunal's misconception regarding Mr. Collett's confinement in the context of his surrender to the enemy?\", 'case_id': 'Case5635'}, '06a3bb57-0073-4755-83f5-9565ecd64b38': {'query': \"What duty did a soldier in Mr. Collett's circumstances have under Australian military law regarding escape and rejoining his unit?\", 'case_id': 'Case5635'}, 'e06fa151-14d0-434a-8d77-b861a50a7da3': {'query': 'What specific duty imposed on members of the Australian Army while on active service is mentioned in the context of the case \"Price v Repatriation Commission\"?', 'case_id': 'Case5635'}, '471ee53b-9ae5-4dba-9e91-0ac94b5f4f80': {'query': \"What specific reasons did the Tribunal provide for dismissing Mr. Collett's appeal in the case Price v Repatriation Commission?\", 'case_id': 'Case5635'}, '6d302ba8-bfe4-4051-90d4-1d2117bef836': {'query': 'What was the date of the hearing for the case titled \"Price v Repatriation Commission [2003] FCA 339\"?', 'case_id': 'Case5635'}, 'b27b72e0-3484-4b10-ba9e-6d7403a9576b': {'query': 'What did Lord Millett emphasize about the test regarding legal rights in the case of UDL Argos Engineering & Heavy Industries Co Ltd v Li Oi Lin?', 'case_id': 'Case21730'}, 'f6a83301-75a4-409c-82de-dfdf5f348fd1': {'query': 'What did Dawson J refer to in Akhil regarding the function of pleadings as mentioned in the case of Gould & Birbeck & Bacon v Mount Oxide Mines Ltd?', 'case_id': 'Case23004'}, '433e84e5-fb84-4e27-8c47-7b093387d2f2': {'query': 'What is the significance of the case IGY Manufacturing Pty Ltd v Commissioner of Taxation in determining how classifications of goods attracting exemptions should be construed?', 'case_id': 'Case21531'}, 'f4649e2c-7de5-4c06-a2fd-4bcce22f02f8': {'query': 'What approach did the author of the case text suggest should be followed in this case, and how does it relate to the decision of Lehane J?', 'case_id': 'Case20943'}, '4be69a5d-4656-4053-bba2-b64e68bb01cb': {'query': 'What implications does the outcome of Kamha v Australian Prudential Regulation Authority have on the registrability of applications before the Registrar?', 'case_id': 'Case20943'}, 'f0633e7e-9250-4e99-a559-dfbbf3febcc2': {'query': 'What reasons did the respondent/cross-claimant provide for suggesting that the cross-claim should be determined before the infringement action in the case involving the mark \"BAREFOOT\"?', 'case_id': 'Case20943'}, 'f2766061-9945-4a6d-8f91-1678a1c32971': {'query': 'What potential problems are associated with separately hearing the cross-claim and the claim in relation to the same trade mark in the case of Kamha v Australian Prudential Regulation Authority?', 'case_id': 'Case20943'}, '3b2cff6f-cb41-4922-b01e-b1edcbe59d7f': {'query': 'What was the outcome of the case Kamha v Australian Prudential Regulation Authority?', 'case_id': 'Case20943'}, '59e8463e-dde3-409e-97fc-92e470062ed0': {'query': 'What factors did the court consider when determining whether the applicant should be entitled to pursue an infringement action with expedition in the case of Kamha v Australian Prudential Regulation Authority?', 'case_id': 'Case20943'}, '7c14f74e-7bfc-4b51-b12c-eb49ef759231': {'query': 'What is the current rate of interest prescribed under rule 5A of the Supreme Court Rules 2000 (Tas) that was adopted in the case of GEC Marconi Systems Pty Ltd v BHP Information Technology Pty Ltd?', 'case_id': 'Case10236'}, '933d7db7-cadf-4a4c-9f2c-0c8a8b83c21f': {'query': 'What were the dates of the blood pressure readings recorded by Dr. Mee in 1997 according to the provided schedule?', 'case_id': 'Case10236'}, '913f5070-300b-4352-aa68-254ec50f0e22': {'query': 'What was the case outcome of GEC Marconi Systems Pty Ltd v BHP Information Technology Pty Ltd as cited in the provided context?', 'case_id': 'Case10236'}, 'c5a7b1bd-77f7-457c-b9d1-bcb1c61497c5': {'query': \"What was the basis for the plaintiff's claim regarding the rejection of their proof of debt in the proceedings instituted on 21 April 2006?\", 'case_id': 'Case8084'}, '3a196963-af98-4fd2-a7f8-55037f0cfd4f': {'query': \"What did Young J determine regarding the plaintiff's ability to claim a contingent debt in the case of FAI Workers Compensation (NSW) Limited v Philkor Builders Pty Limited?\", 'case_id': 'Case8084'}, '9e7db016-5bd9-423a-8421-5d87d6a012f7': {'query': \"What does Barrett J indicate in McDonald regarding the basis of the winding up order and the significance of the state's insolvency?\", 'case_id': 'Case8084'}, '03064a82-1bd9-4c9e-b295-ef22fd5aad00': {'query': 'What distinction did Palmer J make between \\'future claims\\' and \\'contingent claims\\' in the context of the winding up order in \"Expile Pty Limited v Jabb\\'s Excavations Pty Limited\"?', 'case_id': 'Case8084'}, 'f94fb257-167c-46ba-b6f1-ae499e3104aa': {'query': 'What is the case outcome of \"Expile Pty Limited v Jabb\\'s Excavations Pty Limited (2004) 22 ACLC 667\"?', 'case_id': 'Case8084'}, '4a202c7b-6aae-443d-a883-182fe0d7e276': {'query': 'What is the difference between a future claim and a contingent claim as discussed in \"Expile Pty Limited v Jabb\\'s Excavations Pty Limited\"?', 'case_id': 'Case8084'}, '5faaf9b5-6b1b-43f1-8b04-448854cc2210': {'query': \"What must be shown in a case discussing the purpose of a corporation's conduct according to Section 47(10)(a) as referenced in Universal Music Australia Pty Ltd v Australian Competition and Consumer Commission?\", 'case_id': 'Case4789'}, '47540ea6-63ea-420f-b367-464658b284d5': {'query': 'What are the specific conditions established by section 226L that must be met to attract a penalty tax for a taxpayer in the context of a tax shortfall?', 'case_id': 'Case4789'}, 'daf13867-5ecd-4dc6-a60c-c33fdf54d278': {'query': 'What specific argument did Counsel for Finland present regarding the interpretation of s 19(1) in light of current practice?', 'case_id': 'Case14757'}, 'd7510d7e-be39-43d2-8517-64dfd25ed0e6': {'query': \"What was Allsop J's ruling regarding the absence of procedural fairness in the case of Knauder v Moore?\", 'case_id': 'Case14757'}, '8a8bbbfc-e0ce-4bcd-8ed9-d2d965b038fb': {'query': 'What specific procedural failure of the magistrate led Mansfield J to quash the orders in the case of Knauder v Moore?', 'case_id': 'Case14757'}, '4599ee2b-091d-4980-81bc-8e97b5f33fb2': {'query': \"What was the basis for the decision in Knauder v Moore [2002] FCAFC 404 regarding the Court's authority to order the release of a person?\", 'case_id': 'Case14757'}, 'b9e9c105-8248-4ffc-969d-3c0f430b581f': {'query': 'What principle from earlier decisions regarding breaches of contract was discussed in the context of the Foran v Wight case?', 'case_id': 'Case16659'}, 'e34ca197-02be-4ab1-b9f5-df67fdfd52f7': {'query': 'What must the plaintiff demonstrate in terms of readiness and willingness to perform the contract in the event of an actual breach, according to the principles outlined in Foran v Wight?', 'case_id': 'Case16659'}, 'ec0f6cca-10ba-49fc-87d7-55a749039cf3': {'query': \"What was the reasoning provided by Mason CJ regarding a party's ability to terminate a contract for breach in the case of Foran v Wight?\", 'case_id': 'Case16659'}, 'd4f4c5c0-5f5e-40a2-be17-79056a9fcc66': {'query': \"What must the first party demonstrate to successfully rescind an executory contract due to the other party's repudiation, as outlined in the case of Foran v Wight?\", 'case_id': 'Case16659'}, 'c5ab9a50-a8bd-4877-a64a-b0b49e4ea264': {'query': 'What was the outcome of the case \"Foran v Wight [1989] HCA 51 ; (1989) 168 CLR 385\"?', 'case_id': 'Case16659'}, '482ee5fa-01f4-4591-be1d-95df8e380ec3': {'query': 'What principle regarding anticipatory breach and readiness to perform was identified by Brennan J in the case of Foran v Wight [1989] HCA 51?', 'case_id': 'Case16659'}, 'b609c8aa-c2f1-4442-8157-ba8e6a1980f2': {'query': 'What was the key legal principle established by Deane J regarding estoppel in the case of Foran v Wight?', 'case_id': 'Case16659'}, '5948ee41-75ba-41e4-ab1d-1e8b145f9038': {'query': 'What did Dawson J clarify about the concepts of readiness and willingness in the context of contract termination in Foran v Wight?', 'case_id': 'Case16659'}, '8dd6ff06-00a6-49a9-8eec-29b5b0b296cb': {'query': 'What requirement must a party show in order to sue for breach of contract in the case of Foran v Wight, despite being absolved from performing future obligations?', 'case_id': 'Case16659'}, '244f3a42-286c-4546-9bef-00194c9aa776': {'query': 'What must purchasers demonstrate at the time of repudiation according to Dawson J in the case of Foran v Wight?', 'case_id': 'Case16659'}, 'ef9fd932-6021-4275-af93-33861585834a': {'query': 'What was the view expressed by Keane JA regarding the termination of contracts by mutual consent in the case of Foran v Wight?', 'case_id': 'Case16659'}, '4e9ea3f7-2181-42bd-a06a-53104e104705': {'query': 'What was the significance of the ruling in Foran v Wight [1989] HCA 51 regarding the obligations of parties in a contract?', 'case_id': 'Case16659'}, 'c072eebd-fd54-4b5b-98c0-d292aa12f67f': {'query': \"What principle did the Full Court highlight regarding the terminating party's rights to payment of money in relation to alleged breaches of contract in Foran v Wight?\", 'case_id': 'Case16659'}, 'bb9e795d-eea3-4fc4-8ec1-b0b35219ce6d': {'query': 'What was the outcome of the case Foran v Wight [1989] HCA 51 as noted in the case metadata?', 'case_id': 'Case16659'}, '49082f03-783b-4660-a4f4-1eb55357164b': {'query': 'What specific contractual breach did Hoy Mobile commit that could have allowed the other party to terminate the franchise agreement prior to late August 2006?', 'case_id': 'Case16659'}, '22ff99cf-9f55-4dab-941b-2af650c2201c': {'query': 'What dishonest practices did Allphones engage in regarding the mobile phone franchise agreement with Hoy Mobile?', 'case_id': 'Case16659'}, 'eeead9c7-e074-49de-8372-738273d2b2e4': {'query': \"What was the main argument made by Hoy Mobile regarding Allphones' role in the franchise agreement?\", 'case_id': 'Case16659'}}\n", + "Generated mixed qs 5\n", + "0.5602836879432624 0.7872340425531915\n", + "Filled cited db 5\n", + "Generated cited qs 5\n", + "Filled mixed db 6\n", + "{'bb6df959-557f-46cd-8248-5f40166fff54': {'query': 'What is the significance of mutual trust and confidence in establishing the fiduciary relationship as discussed in the case Pilmer v Duke Group Ltd (in liq)?', 'case_id': 'Case2612'}, '24880a2d-74b2-4319-985f-eac72c0647e8': {'query': 'What specific obligations regarding loyalty are imposed on a fiduciary according to the context provided?', 'case_id': 'Case2612'}, 'fd4bc3bc-18fc-48c0-b1ee-8f79b824c8b3': {'query': 'What are the characteristics that commonly negate a fiduciary finding in commercial relationships as discussed in the context of Gibson Motorsport Merchandise Pty Ltd?', 'case_id': 'Case2612'}, 'cecc0781-e0b8-4baa-9981-2bcd78497efa': {'query': \"What does clause 88 of the company's constitution stipulate regarding indemnification of Relevant Officers?\", 'case_id': 'Case18651'}, '3fbb8258-aa4c-4035-85cf-da12c87c4c88': {'query': 'What specific legal provisions allow the Company to indemnify a Relevant Officer against Legal Costs, as referenced in the case of New Cap Reinsurance Corp Ltd v Daya?', 'case_id': 'Case18651'}, '4da5d0b3-e392-4859-85dd-4a2f34e9e03d': {'query': 'What specific provision related to premium payment is mentioned in the case of New Cap Reinsurance Corp Ltd v Daya that could be relevant to the textual constraints of the Deed?', 'case_id': 'Case18651'}, 'bb13e2a4-3e00-4132-97b1-90d7b92ae2eb': {'query': 'Why did the author of the case text express concern regarding the lack of reference to s 422B in the decision of the High Court in SZBEL v Minister for Immigration and Multicultural and Indigenous Affairs?', 'case_id': 'Case23133'}, 'fc212e2a-876b-4309-b535-a392d48e44ce': {'query': \"What fundamental aspect of the public trial process is emphasized in the context of the protection visa applicant's right to challenge evidence from an unknown witness?\", 'case_id': 'Case23133'}, '3084872f-292d-4482-8a81-619eea5e6a80': {'query': 'What opportunity was the appellant deprived of in the case of SZBEL v Minister for Immigration and Multicultural and Indigenous Affairs?', 'case_id': 'Case23133'}, '5251ae8f-532b-4879-8c15-8ac37fb00316': {'query': 'What was the date of the hearing for the case involving Mr. BP Jones as counsel for the appellant?', 'case_id': 'Case23133'}, '628b8be2-4f50-4000-8a44-b4cb47c954f2': {'query': \"What is the significance of Mr. Oke's conduct in relation to the maintenance of legal professional privilege as discussed in the context of the case?\", 'case_id': 'Case1523'}, '52e07ce0-a884-4bb9-8860-188294443bb5': {'query': 'What was the significance of the ruling made by French J in Saunders v Commissioner regarding legal professional privilege in the context of the execution of the warrant?', 'case_id': 'Case1523'}, 'da90d029-cb01-4b2f-84e1-3d0fb93f856d': {'query': 'What specific proposal did Bunnings make on 11 July 2008 regarding the proceedings against them, and why could it not assist in their claim for indemnity costs?', 'case_id': 'Case23107'}, '017f2d46-89a2-4388-8d3f-490116fdf646': {'query': 'What specific change in the appeal process under Section 44 of the AAT Act was highlighted by Gummow J in TNT Skypak International (Aust) Pty Ltd v Federal Commissioner of Taxation, compared to the previous s 196 of the Tax Act?', 'case_id': 'Case349'}, '8e8a36f6-0b54-4aa8-8c73-2605fdbd52c4': {'query': 'What is the primary legal issue being discussed in relation to the proposed cross-claim against Merrill Lynch?', 'case_id': 'Case7814'}, '7ac165e2-aefa-4e5a-8914-50586ad77654': {'query': 'What factors were considered in relation to the potential prejudice to Merrill Lynch in the case of Tyrrell v Tyrrells Building Consultancy Pty Ltd?', 'case_id': 'Case7814'}, '9e268b25-d4bd-41a8-8a7c-5ad72e35081b': {'query': 'What specific \"inconsistencies\" between the appellants\\' statutory declaration and oral evidence did they claim the tribunal should have provided under section 424A?', 'case_id': 'Case22745'}, '299175c8-554b-4169-80f7-a5bda9b60913': {'query': 'What key assumption did the appellants make regarding the statutory declaration in the case of VAF v Minister for Immigration and Multicultural and Indigenous Affairs?', 'case_id': 'Case22745'}, '2aa6f77e-1437-4acc-905f-defe5d5d5844': {'query': 'What specific statutory criterion was referenced as the appropriate basis for affirming the decision in the case of VAF v Minister for Immigration and Multicultural and Indigenous Affairs?', 'case_id': 'Case22745'}, '930bc96b-a0f6-4d56-929d-66bbbe0a4c19': {'query': \"What was the basis for the tribunal's decision to affirm that the appellants were not persons to whom Australia owed protection obligations under the Convention in the case of VAF v Minister for Immigration and Multicultural and Indigenous Affairs?\", 'case_id': 'Case22745'}, 'c82b9ab2-f69e-4360-89f6-d76c8a5c7c4c': {'query': 'What was the case outcome in \"VAF v Minister for Immigration and Multicultural and Indigenous Affairs [2004] FCAFC 123\"?', 'case_id': 'Case22745'}, 'af002728-8bfb-4dad-a9b7-f274720f8525': {'query': \"What was the reasoning behind the tribunal's affirmation of the decision under review in the context of inconsistencies in the appellants' evidence?\", 'case_id': 'Case22745'}, '7263a6f0-4910-4fea-85e1-463ebb838893': {'query': 'What does the tribunal\\'s interpretation of \"information\" in the context of s 424A indicate about the nature of evidence required for a statutory declaration in the case of VAF v Minister for Immigration and Multicultural and Indigenous Affairs?', 'case_id': 'Case22745'}, '4a9af977-4091-48c9-8398-6432c938d79e': {'query': 'What is the significance of section 424A in ensuring a fair hearing for the appellants in the context of inconsistencies arising from their oral evidence?', 'case_id': 'Case22745'}, 'ed913d8e-43af-4425-8845-2ccfce9db2c6': {'query': \"What was the tribunal's reasoning for determining that section 424A was not applicable in the case of VAF v Minister for Immigration and Multicultural and Indigenous Affairs?\", 'case_id': 'Case22745'}, '3b56a330-2551-4c13-8a1c-9b84788a5ebb': {'query': 'What is the case outcome of VAF v Minister for Immigration and Multicultural and Indigenous Affairs [2004] FCAFC 123?', 'case_id': 'Case22745'}, '8153d905-3fb8-44d6-9c49-2cfc5a077908': {'query': 'What was the majority\\'s stance on the concept of \"unbundling\" as referenced in the case \"SZBYR\"?', 'case_id': 'Case22745'}, '3061952c-f097-41bf-9281-5a2949067af3': {'query': \"How did the majority in VAF build upon the reasoning established in the Paul case regarding the affirmation of the tribunal's decision?\", 'case_id': 'Case22745'}, '50a09939-2cad-401f-9d3b-53667f96eef3': {'query': 'What was the issue cited in the case \"VAF v Minister for Immigration and Multicultural and Indigenous Affairs [2004] FCAFC 123\"?', 'case_id': 'Case22745'}, 'af7cf7c3-e9c8-48bd-adeb-ac5aadd4f15d': {'query': 'What jurisdictional error did the appellant need to demonstrate in Cockrell v Minister for Immigration and Citizenship in order to succeed in the case?', 'case_id': 'Case11318'}, 'd8165c28-73d0-42f7-a229-96526f28023f': {'query': \"What findings did the Tribunal make regarding the claims of childhood abuse supported by Mr. Aporo's half-brother and mother in relation to the statutory jurisdiction of section 501 of the Act?\", 'case_id': 'Case11318'}, '1f7e735e-ea30-4b8f-bd08-fdf43ba1b3ce': {'query': 'What date was the judgment delivered in the case of Cockrell v Minister for Immigration and Citizenship?', 'case_id': 'Case11318'}, '2a5660f6-b9c9-4600-b192-a1c838d00206': {'query': \"What specific errors did the appellant allege regarding Smith FM's reliance on demeanour in the case?\", 'case_id': 'Case7979'}, 'b9b0485c-5be6-4e0e-96df-f32ffe8d4a77': {'query': 'What specific differences did the Applicant cite between s 40 of the Extradition Act and s 501 of the Migration Act in their argument?', 'case_id': 'Case24435'}, '9921f1cb-6020-4889-9a89-d4d2415a149e': {'query': 'What were the main legal principles established in the case \"Re Patterson; ex parte Taylor [2001] HCA 51\" that relate to the interpretation of s 19A of the AI Act?', 'case_id': 'Case24435'}, '3295f821-97c2-42b4-bf74-a1dacca40564': {'query': 'What conclusions were drawn regarding the overlap between sections 19 and 19A of the AI Act in the case Re Patterson; ex parte Taylor?', 'case_id': 'Case24435'}, 'd352c443-10ed-49e6-9200-cb509e3aefbc': {'query': 'What authority does the Governor-General possess under section 64 of the Constitution in the context of authorizing another Minister to exercise powers under the Extradition Act?', 'case_id': 'Case24435'}, '135880c5-203e-4659-b8a2-88d768d36d79': {'query': 'What specific reasons did Ms. Klewer provide in her oral submissions on October 8, 2008, to assert the existence of a trust in relation to the Korora property?', 'case_id': 'Case17324'}, '5cbc8d5a-1081-4a16-b0da-73284c0b3be1': {'query': 'What is the nature of the written evidence that allegedly exists on a computer disk regarding the trust for the Korora property mentioned in the case?', 'case_id': 'Case17324'}, '0ba651e5-eb24-46d7-afb6-e7305c957779': {'query': 'What specific principle regarding the contravention of an Act was highlighted by Miles CJ in the case In Re Venice Nominees Pty Ltd?', 'case_id': 'Case20136'}, 'd1ec0d05-0fbb-4544-9c8c-473056a8630e': {'query': \"What was the impact of the rejection of Merkel J's conclusion in Ozmanian FCA on the unreviewability of the Departmental officer's decision as discussed by Katz J in Savouts v Minister for Immigration and Multicultural Affairs?\", 'case_id': 'Case20065'}, 'ca9fc7b9-8b08-4976-8c63-3d88fcb87d0b': {'query': \"What is the purpose of the court's discretion to extend time as mentioned in the case Gallo v Dawson?\", 'case_id': 'Case8956'}, '7af039fe-4b96-46b2-83a1-63d1a1b0ddda': {'query': \"What role did Camerons play in the infringement of Krueger's copyright concerning the Subsequent Krueger Drawings?\", 'case_id': 'Case13102'}, '4aad5799-d4a3-4a00-b665-c553f236661e': {'query': 'What specific declaration was sought by Krueger against Tindal and Cameron in the Barrett Property v Metricon Homes case?', 'case_id': 'Case13102'}, 'de3d494e-066a-4557-83a4-cdfa58e7e570': {'query': 'What was the justification provided by Carr J for the State of Western Australia being classified as a \"person aggrieved\" in the context of the native title claim review?', 'case_id': 'Case25105'}, 'b62b5d45-b9c7-4750-9631-2bd5f16ce9b5': {'query': 'What specific obligations does the NT Act impose on the government and the Registrar in relation to native title claim applications, as discussed in the case of Western Australia v Native Title Registrar?', 'case_id': 'Case25105'}, 'e64bc9a4-fefe-4901-9156-2c2c2443d3c8': {'query': 'What does section 66(6)(a) specifically require the Registrar to do before complying with subsection (3) regarding native title claimant applications?', 'case_id': 'Case25105'}, 'eedf84da-33dd-455f-9b66-3a32d5488eff': {'query': 'What must the Town of Batchelor No 1 applicants demonstrate to establish they are persons aggrieved by the decision of the Registrar in the context of the Batchelor No 2 application?', 'case_id': 'Case25105'}, '69f580a9-bdae-490d-a865-367bc1c22292': {'query': 'What was the outcome of the case Western Australia v Native Title Registrar [1999] FCA 1591?', 'case_id': 'Case25105'}, '6aaf6e9f-4a36-4a14-9b82-c57b7d06a6aa': {'query': 'How do the procedural rights of the persons involved in the Town of Batchelor No 2 application compare to those of the registered native title applicants according to the discussed context?', 'case_id': 'Case25105'}, '7a339d15-f7f8-4f86-a673-34d45f235642': {'query': 'What was the main focus of the negotiations discussed in the case Western Australia v Native Title Registrar [1999] FCA 1591?', 'case_id': 'Case25105'}, '146893d8-7d10-4da9-b50e-81eb74abb9d7': {'query': 'What specific reasons did the Tribunal provide for considering the documents produced by the appellant as lacking credibility?', 'case_id': 'Case5280'}, '36fbde09-b625-4f78-8ee7-8fc98156d967': {'query': 'What was the primary reason the Tribunal placed no weight on the material provided in support of the claims in the case of Minister for Immigration & Ethnic Affairs v Wu Shan Liang?', 'case_id': 'Case5280'}, '92cdb204-045a-4834-9aa4-a76dfcc1fecd': {'query': 'What specific cases are referenced to support the jurisdiction of the Court to grant leave for further evidence-in-chief after a trial has concluded?', 'case_id': 'Case17101'}, '6973e59a-1f03-496e-87fc-d36584474cb3': {'query': \"Why was the appellant not allowed to present additional evidence in this case after the Federal Magistrates Court's decision?\", 'case_id': 'Case16344'}, '2530eeda-c71e-49df-96e2-2988c337e607': {'query': \"What was the Tribunal's stance on the appellant's credibility regarding his involvement with Jehovah's Witnesses in the context of the appeal?\", 'case_id': 'Case16344'}, '2585c320-835c-428a-a6e6-d1ab7ed21fb0': {'query': 'What were the dates of the hearing and judgment in the case involving Justice Middleton?', 'case_id': 'Case16344'}, 'b5606f7d-f752-4e54-bff9-dd24d918b0c8': {'query': 'What does regulation 2.19 of Chapter 7 of the Workplace Regulations establish regarding the enforcement of rights and obligations that arose under the pre-reform Act?', 'case_id': 'Case14174'}, 'b01ad135-1484-4aa1-8956-c08622cadefc': {'query': \"What was the content of the email issued by the managing director of Telstra's employee relations group in the case of CPSU v Telstra Corporation Ltd that pertained to the management of redundancies?\", 'case_id': 'Case14174'}, '80c36fa6-a90a-4ab0-985c-fd47f951bf1d': {'query': 'What did the Full Court conclude about the effect of the email on the selection process for redundancy in the CPSU v Telstra Corporation Ltd case?', 'case_id': 'Case14174'}, '029c20ae-3882-4d24-b0ba-6b0181b9c81a': {'query': 'What effect did the DEWR Advice have on the leave approval process for Commonwealth employees on 15 November 2005, particularly for members of the CPSU?', 'case_id': 'Case14174'}, '28b2e187-e36c-4cdd-90a1-5071c9380402': {'query': 'What was the impact of the emails sent by Ms. Ellison and the Personnel Branch of DEST on the leave applications of employees in those agencies on 15 November 2005?', 'case_id': 'Case14174'}, '5ee5485e-9c34-48b3-b790-9f31570d1184': {'query': 'What specific action did Ms. Godwin take regarding leave applications related to the National Day of Action on 14 November 2005?', 'case_id': 'Case14174'}, 'e1725c79-f0c9-4179-abfc-ead2c52dbd93': {'query': \"What specific advice did Ms. Godwin provide to the manager regarding Mr. McGill's application for flex leave?\", 'case_id': 'Case14174'}, 'eedc33b7-e92a-41e8-9e7d-4898e120e38a': {'query': 'What compelling evidence did Greenwood J accept regarding the transfer of investment monies to the National Australia Bank account in the name of the First Respondent?', 'case_id': 'Case10811'}, 'fac290f4-e145-42fb-8ba4-63c33c120cee': {'query': 'What specific transactions are detailed in the document titled \"COMMERCIAL WORLDWIDE FINANCIAL SERVICES PTY LTD National Australia Bank USD A/C\" from 1 March 2001 to 30 June 2001?', 'case_id': 'Case10811'}, '643cb614-a96a-4382-81ce-85c575163e1a': {'query': \"What was the opening balance of CPFSP/L's USD Foreign Currency Account 170415 on 1 June 2001?\", 'case_id': 'Case10811'}, '8c372356-94f2-401c-8c75-4fdda9070793': {'query': 'What specific banking documents were not produced to the solicitors for the Applicant on execution of the Anton Pillar order in the case of Lifetime Investments Pty Ltd v Commercial (Worldwide) Financial Services Pty Ltd?', 'case_id': 'Case10811'}, '5d34886e-45d7-42a2-a331-f7411ef62ea6': {'query': 'What was the main legal issue addressed in the case \"Lifetime Investments Pty Ltd v Commercial (Worldwide) Financial Services Pty Ltd [2006] FCA 495\"?', 'case_id': 'Case10811'}, 'd2fc3d35-134d-40df-a2b3-e88aa52ef260': {'query': \"What inference was made regarding the substantial transfer on 5 April in relation to the First Respondent's USD account?\", 'case_id': 'Case10811'}, 'e0ed223e-7c14-442e-bf7f-5b63a2117508': {'query': \"What inference did the court make regarding Mr. Wallader's use of the Applicant's funds in the case of Lifetime Investments Pty Ltd v Commercial (Worldwide) Financial Services Pty Ltd?\", 'case_id': 'Case10811'}, '45f90d5b-76da-4447-82cf-edd5d9534183': {'query': \"What specific bank accounts were referenced in Mr. Wallader's affidavit in relation to the transfer from the National Australia Bank to the Bank of Queensland?\", 'case_id': 'Case10811'}, '120895d2-f8fc-48a6-8e90-d9c2c0c0eafb': {'query': 'What specific amount was withdrawn by Mr. Wallader from the account of the First Respondent on 5 April 2001?', 'case_id': 'Case10811'}, '2cd8e5a4-b80a-4467-a9f3-8d28bcdb719a': {'query': 'What was the outcome of the case \"Lifetime Investments Pty Ltd v Commercial (Worldwide) Financial Services Pty Ltd [2006] FCA 495\"?', 'case_id': 'Case10811'}, '669ff347-3fd5-4f9d-8571-eac1a938ba58': {'query': 'What substantial actions has the Applicant taken with the funds transferred to Mr. and Mrs. Wallader since receiving them?', 'case_id': 'Case10811'}, 'da01c9e4-d8d0-44af-9116-48f779d97b15': {'query': 'What particular way have the funds transferred to the First Respondent on 30 March been applied, aside from the withdrawal of $US250,000.00?', 'case_id': 'Case10811'}, '98c03795-86b7-4d1c-aaad-afe535d804dc': {'query': 'What inferences might be drawn if Mr. Wallader fails to disclose what happened to the $2 million in the civil claim discussed in \"Lifetime Investments Pty Ltd v Commercial (Worldwide) Financial Services Pty Ltd [2006] FCA 495\"?', 'case_id': 'Case10811'}, '60208520-df1e-4433-ae0d-fc3427ea7dde': {'query': 'What did Justice Spender J declare regarding the disclosure order made by Greenwood J on 28 April in relation to the privilege against self-incrimination?', 'case_id': 'Case10811'}, 'ab404b82-c5a2-49bd-85d3-30d69993c0e4': {'query': 'What was the outcome of the case titled \"Lifetime Investments Pty Ltd v Commercial (Worldwide) Financial Services Pty Ltd [2006] FCA 495\"?', 'case_id': 'Case10811'}, '7b103618-aa6c-45e1-8e72-23451e8b74f4': {'query': 'What was the date of the judgment in the case of Lifetime Investments Pty Ltd v Commercial (Worldwide) Financial Services Pty Ltd?', 'case_id': 'Case10811'}, 'e37f24b4-2dff-4d83-9c68-650e7d980c88': {'query': \"What specific error did the Appellant allege Federal Magistrate Driver made regarding the Tribunal's determination of the degree of satisfaction required for a well-founded fear of persecution?\", 'case_id': 'Case15760'}, '4b07cc4a-0ce6-4bb8-9ac0-241e088f67af': {'query': \"What did the Appellant argue regarding the Tribunal's duty to obtain further information in the case of SZGZQ v Minister for Immigration & Anor?\", 'case_id': 'Case15760'}, '5e3b0e07-bb5d-473f-ab69-6947a1fe3fc7': {'query': 'What threshold of solvency was indicated in the decision of Hodgson J regarding the case of Deputy Commissioner of Taxation v Fairchild Development Pty Ltd (in liq) [2006] FCA 714?', 'case_id': 'Case6910'}, 'f53dbdab-c7be-4f98-ba30-44edbf063547': {'query': 'What relevant factors did French J consider when deciding whether to dispense with the requirement for Termi-Mesh Australia Pty Ltd to be represented by a solicitor in the case against Josu Manufacturing Pty Ltd?', 'case_id': 'Case11143'}, 'f1f417c1-1534-47ca-92d9-fa89d908ae06': {'query': \"What factors other than the Charitable Trust's impecuniosity were considered before granting leave in the case of Termi-Mesh Australia Pty Ltd v Josu Manufacturing Pty Ltd?\", 'case_id': 'Case11143'}, '0fb819f5-f6b6-49af-b14a-3de742fefbef': {'query': 'What was the main reason the court determined that Mr. Barrow did not possess the qualifications of a qualified legal practitioner in the case of Termi-Mesh Australia Pty Ltd v Josu Manufacturing Pty Ltd?', 'case_id': 'Case11143'}, '9ee90ceb-953c-4b7e-b570-e8f51b298338': {'query': \"What specific reasoning did the court provide regarding the appellants' request for access to all documents related to the hearing in McLachlan v Australian Securities and Investment Commission?\", 'case_id': 'Case23415'}, 'b6d5e4e7-7a3e-4b76-8b79-cb2c629d6a15': {'query': 'What does Section 247A(1) express regarding the notions of good faith and proper purpose as referenced in the case of Barrack Mines Ltd v Grants Patch Mining Ltd (No 2) [1988] 1 Qd R 606?', 'case_id': 'Case14512'}, '11685412-2c1e-4844-86a7-7925f7be7131': {'query': \"What specific reasons did ANSTO provide for accessing Mr. Lever's emails, as mentioned in the case text?\", 'case_id': 'Case24262'}, '0b7f5588-9553-4ce5-a6c9-035eff741fad': {'query': 'What principle from \"Lewis v Qantas Airways Ltd (1981) 54 FLR 101\" was referenced regarding employee participation in union activities in the context of ANSTO\\'s claims about supervision and performance?', 'case_id': 'Case24262'}, 'c8c8c09c-8c73-411a-90df-dd86bc675860': {'query': \"What did ANSTO argue regarding Mr. Lever's perception of victimization in relation to his role as a delegate?\", 'case_id': 'Case24262'}, '12dafc20-5ff4-4776-b9b4-9a7ef3a74597': {'query': \"What specific evidence did ANSTO present to support their claim that Mr Davies' observations of Mr Lever did not constitute a breach of section 298K(1)?\", 'case_id': 'Case24262'}, 'fcb7eeb7-48ef-4653-870c-833e9feb7ef5': {'query': 'What was the outcome of the case \"Lewis v Qantas Airways Ltd (1981) 54 FLR 101\"?', 'case_id': 'Case24262'}, 'd7a420b4-05a9-4c7e-a436-3311f825a037': {'query': \"What evidence did ANSTO provide to counter Mr. Lever's claim that his emails were accessed due to his role as a union delegate?\", 'case_id': 'Case24262'}, '0a5fb256-54a9-44f6-a560-14fe097647d8': {'query': \"What evidence did ANSTO present to support their investigation into Mr. Lever's conduct as described in the case text?\", 'case_id': 'Case24262'}, '82d81428-43ea-4b3e-a8ac-f180039f5222': {'query': 'What specific actions related to energy at Lucas Heights were significant in the case of Lewis v Qantas Airways Ltd?', 'case_id': 'Case24262'}, 'd44759ff-109c-4beb-939d-2ad48a03fb56': {'query': 'What specific aspects of judicial control were identified by Gleeson CJ as essential for institutional independence in the context of the case referenced?', 'case_id': 'Case22904'}, '8ef4ea4c-1e8b-4d80-a2fb-6478b68b60a5': {'query': 'What specific rationale did Gleeson CJ provide regarding the applicability of the words \"under an Act\" in s 21A of the Magistrates Act to the functions and powers of the Chief Magistrate?', 'case_id': 'Case22904'}, 'a8f8692c-b170-42ed-865b-3ab70de0aefe': {'query': 'What specific assertion did the applicant make regarding the definition of \"inability\" in the context of clinical management as referenced in Brew v Repatriation Commission?', 'case_id': 'Case24100'}, '1c39f515-85d3-4a51-82ca-1a844ce644fb': {'query': 'What two factors does the minister consider relevant to the exercise of discretion under s 501(1) of the Act, as mentioned in the context?', 'case_id': 'Case7164'}, '570fccfe-963c-4902-b90b-82699040bf74': {'query': 'What does the case law surrounding discretionary decision-making under s 501 imply about the normative effect of unenacted international treaty obligations?', 'case_id': 'Case7164'}, 'c25fe857-c5e6-4584-b93f-5c1d81c8e659': {'query': \"What international treaty obligation did Australia recognize in relation to the best interests of visa holder's children, as mentioned in the case 'Minister for Immigration and Multicultural Affairs; ex parte Lam [2003] HCA 6'?\", 'case_id': 'Case7164'}, '7ec047b3-c62a-4830-97c6-7d8a83f1ce7f': {'query': \"How does Australia's non-incorporation of international treaty obligations into domestic legislation affect the consideration of children's best interests in statutory decision-making?\", 'case_id': 'Case7164'}, 'adef32c5-72f3-4254-97a8-4064130f919d': {'query': 'What specific convention was referenced in the case of Minister for Immigration and Multicultural Affairs; ex parte Lam [2003] HCA 6?', 'case_id': 'Case7164'}, 'ded58898-ba08-4dd7-947c-a50fcd7d36c2': {'query': \"What was the applicant's claim regarding the Minister's decision in the case of Minister for Immigration and Multicultural Affairs; ex parte Lam [2003] HCA 6?\", 'case_id': 'Case7164'}, 'c56786c4-4f08-4b26-9f4c-6ded538bf93c': {'query': \"What specific information requested by the department was not utilized to assess the applicant's claims regarding the care of his Australian-born children after he provided it?\", 'case_id': 'Case7164'}, 'a774110f-78e7-41fa-bcf7-8ecdd66f1358': {'query': \"What did the High Court determine regarding the applicant's claim of procedural unfairness related to the expectation of the carer being contacted in the case of Minister for Immigration and Multicultural Affairs; ex parte Lam?\", 'case_id': 'Case7164'}, 'd6fda1af-ba20-4633-b338-9dcdbf09f35c': {'query': 'What was the main reason given for the lack of procedural unfairness in the case of Minister for Immigration and Multicultural Affairs; ex parte Lam?', 'case_id': 'Case7164'}, '84d2571b-fe59-4fec-a2c3-0cd1847ed138': {'query': 'What key aspect did McHugh and Gummow JJ highlight about the fairness of the procedure in the case of Minister for Immigration and Multicultural Affairs; ex parte Lam regarding natural justice?', 'case_id': 'Case7164'}, '748267a7-86b0-45d7-93c1-5e5d33dba731': {'query': 'What was the primary concern regarding the Minister\\'s decision in the case of \"Minister for Immigration and Multicultural Affairs; ex parte Lam [2003] HCA 6\" related to jurisdiction and procedural fairness?', 'case_id': 'Case7164'}, '95701e93-070d-4d3d-9aec-426b3a2cf57f': {'query': 'What specific expectation did the applicant claim regarding the Minister\\'s application of tests in the reassessment of his visa under the case title \"Minister for Immigration and Multicultural Affairs; ex parte Lam [2003] HCA 6\"?', 'case_id': 'Case7164'}, 'a0150ad3-fcdb-431c-ab5e-efee6518c33b': {'query': 'What did the applicant claim he could have done if he had been aware of the change mentioned in the issues paper given to the Minister?', 'case_id': 'Case7164'}, '185c07db-f756-4910-96a9-4b8f57e23f45': {'query': 'What was the outcome of the case \"Minister for Immigration and Multicultural Affairs; ex parte Lam [2003] HCA 6 ; (2003) 214 CLR 1\"?', 'case_id': 'Case7164'}, '3ba5c537-42a5-45c8-98c4-7361a0ac8dbe': {'query': \"What specific evidence was lacking to support the applicant's claims regarding subjective expectations in the case of Minister for Immigration and Multicultural Affairs; ex parte Lam [2003] HCA 6?\", 'case_id': 'Case7164'}, '5776afab-ddf8-45d9-a1e3-d274c8a9b631': {'query': 'What specific misunderstanding of the term \"religious belief\" did the Refugee Review Tribunal make in the case of SZJLH v Minister for Immigration & Citizenship that the appellants claimed constituted a jurisdictional error?', 'case_id': 'Case15086'}, '1e2bac70-79c9-4921-b94d-7a99ee0f8d38': {'query': \"What specific considerations did the Hon Federal Magistrate fail to take into account regarding the Appellants' absence from the hearing on 28 November 2007?\", 'case_id': 'Case15086'}, '29832a9c-9f11-42f0-bdf2-725af0be9e86': {'query': 'What was the reason for Counsel for the First Respondent to seek an order to dismiss the appeal in the case of SZJLH v Minister for Immigration & Citizenship?', 'case_id': 'Case15086'}, '0ede0b8f-b798-40ff-b7f5-518e3a66f576': {'query': 'What did the court conclude about the importance of overall circumstances in determining whether reasonable grounds existed in the case of Cummings v Lewis (1993)?', 'case_id': 'Case17756'}, '1b33a523-0487-4b47-a04e-68564d001045': {'query': 'What were the circumstances that led the court to determine that Austcorp did not have reasonable grounds for making their representations?', 'case_id': 'Case17756'}, '62d80712-f28e-49f5-b340-df0f1ad683a9': {'query': \"What was the estimated selling price range for Mr. Owers' apartment as advised by Mr. Bignold before it was put to auction?\", 'case_id': 'Case17756'}, '97a7bb61-5ab0-47da-897f-3208f6c5e35c': {'query': 'What position did Nicholson J take in Maritime Union of Australia v Geraldton Port Authority regarding the identification of the person referred to in section 69(2)?', 'case_id': 'Case2993'}, '93a6f349-e0c1-4d19-8c4d-c6df33f4db60': {'query': 'What principle regarding the Tribunal\\'s decision-making process is highlighted in the case of \"Collector of Customs (Tas) v Flinders Island Community Association [1985] FCA 232\"?', 'case_id': 'Case18493'}, '96ed4707-cd20-4ffc-915e-a6c2c6ef8a42': {'query': 'What judgment is referenced to support MMA Super\\'s argument that the TP Act claim should be characterized as \"trivial and insubstantial\"?', 'case_id': 'Case20734'}, '9748d74d-9e52-421b-a2f9-78a5243a6d50': {'query': \"What must a claimant demonstrate to justify the award of an injunction in light of the Full Court's observations in the Australian Competition and Consumer Commission v Dataline.Net.Au Pty Ltd case?\", 'case_id': 'Case9560'}, 'c8f0baa0-7b8b-4b41-9117-27ebb62c23d9': {'query': \"What did McHugh J's dissenting judgment in Minister for Immigration and Ethnic Affairs v Teoh contribute to the understanding of procedural fairness in Australian law, as referenced in the case of Re Minister for Immigration and Multicultural and Indigenous Affairs; ex parte Lam?\", 'case_id': 'Case12438'}, '448345a8-61e6-4d87-9987-62ed071ea8d2': {'query': 'What assumption did the Applicant hold regarding her entitlement to re-enter Australia after her previous visit, as referenced in the case of Re Minister for Immigration and Multicultural and Indigenous Affairs; ex parte Lam?', 'case_id': 'Case12438'}, 'aeba2848-064c-4dc5-81b3-01d3aa814c41': {'query': 'What specific date did the applicant lose her entitlement to a Return Endorsement as mentioned in the case?', 'case_id': 'Case12438'}, 'e97b12ee-3bac-4d60-9fc2-dcc169b1693e': {'query': 'What is the significance of the no-disadvantage test in the context of varying a certified agreement according to Div 7 of Pt VIB?', 'case_id': 'Case24339'}}\n", + "Generated mixed qs 6\n", + "0.6015625 0.8046875\n", + "Filled cited db 6\n", + "Generated cited qs 6\n", + "Filled mixed db 7\n", + "{'caea5679-cef3-4494-8bb9-f9dc6974d34d': {'query': 'What specific section of the ADJR Act does Telstra rely upon to argue that the Competition Notice decision is invalid?', 'case_id': 'Case22538'}, 'd90e22a1-3dcb-47bf-9d9c-af95786d111a': {'query': \"What was the specific legal implication discussed by Magistrate Scarlett regarding the letter sent to the Department in relation to the appellant's visa application?\", 'case_id': 'Case20334'}, '3dfca0f2-5aae-4ec2-acc4-22e53e0f364b': {'query': 'What are the grounds of appeal in the case of SZLWQ v Minister for Immigration and Citizenship [2008] FCA 1406?', 'case_id': 'Case20334'}, '5f0718e6-3adc-4512-9818-b7335e561d5e': {'query': 'What specific offer was Mr Lever alleged to have received from Mr Davies during their telephone conversation on 3 September 2003?', 'case_id': 'Case24261'}, '1f008487-98d9-4a65-b003-efc6c13799e8': {'query': 'What was the significance of the Maritime Union of Australia v Geraldton Port Authority case in relation to voluntary redundancies?', 'case_id': 'Case24261'}, '444099c7-2baf-418a-bc31-83ffd0037d26': {'query': 'What specific statements attributed to Mr. Davies during the phone conversation on 11 September 2003 are considered as part of the alleged threat to Mr. Lever in relation to the role analysis?', 'case_id': 'Case24261'}, '3a04a6ac-0329-42c0-a1a5-3b4083ff4bee': {'query': \"What was ANSTO's argument regarding Mr Davies' statements and their alleged impact on Mr Lever's decision to pursue a reference panel?\", 'case_id': 'Case24261'}, 'ffb5420c-f1ae-474a-92e4-a9a8d26f8e5a': {'query': 'What was the nature of the case \"Maritime Union of Australia v Geraldton Port Authority\" as indicated by the outcome \"referred to\"?', 'case_id': 'Case24261'}, '39735269-6a14-4c94-ac4d-317443fc45c9': {'query': \"What argument did ANSTO make regarding the impact of the investigation on Mr. Lever's employment status?\", 'case_id': 'Case24261'}, '65f2ce65-5e78-438e-bb78-9c8b713ee4ce': {'query': \"What was ANSTO's stance regarding the initiation of the investigation in relation to Mr. Lever's employment status?\", 'case_id': 'Case24261'}, '8b4ce9d7-e174-40c2-b073-baa93de4ce9c': {'query': \"What action did Mr Davies indicate he may consider taking if Mr Lever continued to refuse to comply with ANSTO's direction regarding attending a specialist doctor?\", 'case_id': 'Case24261'}, '9df617a4-5cec-4751-956b-9bd16c45d3e7': {'query': \"What specific legal argument did ANSTO present regarding the nature of the threat mentioned in Mr. Davies' letter?\", 'case_id': 'Case24261'}, '1f28b591-81d7-4ed6-b698-be0e1dd0ccd5': {'query': 'What was the outcome of the case \"Maritime Union of Australia v Geraldton Port Authority [1999] FCA 899 ; (1999) 93 FCR 34\"?', 'case_id': 'Case24261'}, '996a2744-8f45-421c-b747-7bbc995cf372': {'query': 'What was the intended purpose of providing four airbuses to Jetstar before March 2007, as mentioned in the case of Maritime Union of Australia v Geraldton Port Authority?', 'case_id': 'Case24261'}, '1eba5298-16a2-4435-b2a3-e7edda443840': {'query': 'What specific proscribed conduct must an employer actively engage in to prejudice an employee according to section 298K(1)?', 'case_id': 'Case24261'}, '9158d5dd-c30a-495b-b4bb-bf666582e605': {'query': 'What order did the Court establish regarding the costs and disbursements of the liquidator in the case of Re Steelmaster Pty Ltd (in liq) (1992) 6 ACSR 494?', 'case_id': 'Case8749'}, 'ff51a94e-bf76-4c8a-8bdc-e687674492ae': {'query': 'What actions did JHAF take in relation to its assets prior to the winding up resolution?', 'case_id': 'Case8749'}, '291c1f4f-a587-42c3-b7fa-1b86740a91ca': {'query': 'What principle was established in Mason v New South Wales that was referenced by the appellant in McKay v National Australia Bank Ltd regarding involuntary payments?', 'case_id': 'Case24574'}, '2264395c-f988-44eb-9bba-15f3cc766c5c': {'query': 'What criteria does Mr. Hillig argue meets the test established in General Steel Industries Inc v Commissioner for Railways regarding the second application?', 'case_id': 'Case9134'}, 'beeb9ad4-a5f8-4adb-8158-31d55be3772e': {'query': 'What specific errors of law did the Secretary allege the Tribunal made in the case of Barrington and Secretary, Department of Employment and Workplace Relations [2005] AATA 1050?', 'case_id': 'Case8725'}, '4ff411d6-6594-403c-ae7d-9eff5d2a61db': {'query': 'What amount did Mr. Barrington net after settling his action for damages, and what were the legal fees he claimed to have paid?', 'case_id': 'Case8725'}, '9f8e8771-b946-4a9d-8083-8d507785a625': {'query': 'What competing factors did Black CJ, Merkel, and Finkelstein JJ highlight regarding the interpretation of s 264 in the case of Grant v Commissioner of Taxation?', 'case_id': 'Case19637'}, '7c8d0f48-495a-4661-8045-6bfcd6cd747a': {'query': 'What penalties are outlined for refusing or failing to comply with section 264 of the Taxation Administration Act 1953 (Cth) as discussed in the case of Grant v Commissioner of Taxation?', 'case_id': 'Case19637'}, '2b6043c7-0cfd-4bfc-90b4-52dd04b1b694': {'query': 'What was the year mentioned in the context that reflects on the state of the world as being \"wicked\" and less safe?', 'case_id': 'Case19637'}, '9b46e563-a4ad-47e5-b50e-0eef72aa8dfb': {'query': 'What principles regarding the construction of patent specifications were highlighted in the case of Sachtler GmbH & Co KG v RE Miller Pty Ltd?', 'case_id': 'Case9549'}, 'ac9095eb-0be3-4741-8529-d5b8eb7e0f31': {'query': 'What principles regarding the construction of patent claims were emphasized in the case of Sachtler GmbH & Co KG v RE Miller Pty Ltd?', 'case_id': 'Case9549'}, 'd7e4918b-78a2-4e2b-8722-c72e8dfa690b': {'query': 'What specific claims in the case of Sachtler GmbH & Co KG v RE Miller Pty Ltd are referred to by Alphapharm as deliberately left outside the claim?', 'case_id': 'Case9549'}, '1b119f9d-c94d-40c5-a707-7f4c059691a3': {'query': \"What specific aspects of the A process were demonstrated to differ from the integers of Claim 6(b) during Professor Banwell's cross-examination in the case of Sachtler GmbH & Co KG v RE Miller Pty Ltd?\", 'case_id': 'Case9549'}, 'a53d6c17-fdc7-4151-8141-a6a06682e53d': {'query': 'What was the outcome of the case Sachtler GmbH & Co KG v RE Miller Pty Ltd [2005] FCA 788?', 'case_id': 'Case9549'}, 'f9d24125-299d-43a5-b818-4cc2bfbec875': {'query': 'What specific claims of infringement did Alphapharm submit in relation to claims 1, 3, and 5 in the case of Sachtler GmbH & Co KG v RE Miller Pty Ltd?', 'case_id': 'Case9549'}, '8944eae8-b486-4898-bc9f-fb489b07e3d9': {'query': 'What aspect of common general knowledge is referenced in the claim of the case \"Sachtler GmbH & Co KG v RE Miller Pty Ltd [2005] FCA 788\"?', 'case_id': 'Case9549'}, 'af7d1f25-d30c-4615-b27d-cf8fb937d924': {'query': 'What reasoning did Ryan J provide in Wake Forest University Health Sciences v Smith & Nephew Pty Ltd for granting an interlocutory injunction despite the issue of novelty?', 'case_id': 'Case17122'}, 'faaeb7eb-e456-4ee7-982a-2d1de2c996fc': {'query': \"Why did O'Loughlin J refuse the application to cross-examine the deponent of the affidavit of discovery in the case Auspine Ltd v H S Lawrence & Sons Pty Ltd?\", 'case_id': 'Case2861'}, '739607e8-fdf4-4dd2-9c79-5e91d35dc7b4': {'query': \"What were the key activities that distinguished the National Council of Women of Tasmania's purpose from that of a social club, according to the AAT's findings?\", 'case_id': 'Case9333'}, 'fceb93a8-3650-4bec-83f7-dec7b42ae5c3': {'query': 'What financial and volunteer support activities did the delegates and members of the Council engage in for affiliated organisations?', 'case_id': 'Case9333'}, 'bfde9add-8b76-46a8-9576-61e02a7523a0': {'query': 'What is the distinction made between trade practices law and trade mark law in relation to consumer confusion as referenced in the context of Parkdale Custom Built Furniture v Puxu Pty Ltd?', 'case_id': 'Case832'}, '7bbfc1f7-7910-4850-8eb7-a3ff3d3133e0': {'query': 'How does the reasoning in Taco Co (Aust) Inc v Taco Bell Pty Ltd relate to the determination of whether conduct constitutes misleading or deceptive behavior under section 52 in Parkdale Custom Built Furniture v Puxu Pty Ltd?', 'case_id': 'Case832'}, '43ed4a41-b2c5-44ef-805b-a2f6d2e13073': {'query': 'How does the case of Parkdale Custom Built Furniture v Puxu Pty Ltd relate to the Trade Practices Act in terms of commercial concerns for Cadbury?', 'case_id': 'Case832'}, '52bcbe70-ed72-422f-8760-820487cc1f8f': {'query': 'What distinctive features of a contract of apprenticeship were discussed by Vice President Ross in the case of Fetz v Qantas Airways?', 'case_id': 'Case1893'}, '6f7e3b84-35e6-48c7-ae12-130a79144b15': {'query': \"What were the specific functions of the Bateman's Bay Local Aboriginal Land Council as outlined in the Aboriginal Land Rights Act 1983 (NSW)?\", 'case_id': 'Case8665'}, '4589776f-8f9a-4b3f-b192-c332219ff500': {'query': \"What was the role of the second appellant in relation to the New South Wales Aboriginal Land Council's Funeral Contribution Fund as established by the deed of trust?\", 'case_id': 'Case8665'}, '61fe3a29-7fe0-4be2-a524-ad8e84ee0ec1': {'query': \"What condition was imposed by the High Court for granting special leave to appeal in the case of Bateman's Bay Local Aboriginal Land Council v The Aboriginal Community Benefit Fund Pty Limited?\", 'case_id': 'Case8665'}, 'e0df033d-7bc2-483d-9a21-ec24e30d6980': {'query': \"What significant interest did the respondents have in the statutory limitations imposed on the appellants' activities regarding contributory funeral funds?\", 'case_id': 'Case8665'}, 'db1e75c7-f185-4629-b80a-f4786e7f7f51': {'query': \"What reasons did the judge provide in paragraphs [83], [86], and [103] for dismissing the appeal in Bateman's Bay Local Aboriginal Land Council v The Aboriginal Community Benefit Fund Pty Limited?\", 'case_id': 'Case8665'}, 'accc82cc-7c94-4b35-a1f6-e4cf8dfcfb8e': {'query': 'What special interest did the respondents have in the legality of the Councils\\' arrangements related to the State Fund in \"Bateman\\'s Bay Local Aboriginal Land Council v The Aboriginal Community Benefit Fund Pty Limited\"?', 'case_id': 'Case8665'}, '2f8603bc-0d9e-4b99-aaa1-ec8ab0771b71': {'query': 'What specific operations in addition to pulling on a rope are considered part of towage as defined in the case of Burrard Towing Co v Reed Stenhouse Ltd?', 'case_id': 'Case20834'}, '642798af-1452-41cd-8736-b171202d92a3': {'query': 'What legal principle regarding the construction of an instrument was highlighted by McTiernan, Webb, and Taylor JJ in the case of Fitzgerald v Masters?', 'case_id': 'Case16658'}, '19e90a4a-9263-4d59-9098-14675c3a24df': {'query': 'What did the High Court determine regarding procedural fairness in relation to decisions inconsistent with Article 3 of the Convention in the case of Minister for Immigration and Ethnic Affairs v Teoh [1995]?', 'case_id': 'Case933'}, 'a08efa70-7371-45a6-a4ec-3f6632e0f7e8': {'query': \"How did the Direction referenced in the letter of 20 February 2006 influence the Minister's consideration of Mr. Rinka's visa cancellation in relation to his children's best interests?\", 'case_id': 'Case933'}, '4ebf693d-debd-4880-9c3c-f57af20e0cc7': {'query': 'What were the three Primary Considerations discussed regarding the Minister\\'s \"Discretion\" in the case of Minister for Immigration and Ethnic Affairs v Teoh?', 'case_id': 'Case933'}, '5f8d7ad2-ed15-46ea-aaba-8817a0b4823a': {'query': 'What specific circumstances did the Tribunal fail to consider regarding the practical realities of relocation for the appellant in the case of NAIZ v Minister for Immigration & Multicultural & Indigenous Affairs?', 'case_id': 'Case13653'}, 'b234f597-b7c7-413d-a90f-9755efd6f716': {'query': 'What specific challenges does the appellant face in readjusting to Indonesian society after experiencing trauma, as identified by the Tribunal?', 'case_id': 'Case13653'}, '9db8c35e-1ae1-4063-a4df-25681306bf50': {'query': \"What implications does the absence of discussion about the psychological aspects of the appellant's situation have on the Tribunal's findings in NAIZ v Minister for Immigration & Multicultural & Indigenous Affairs?\", 'case_id': 'Case13653'}, '3428d60c-25e4-417c-976b-990e35b9edb1': {'query': 'What specific failures did the Tribunal exhibit in its assessment, as highlighted in the context of the case regarding the psychological effects of sexual assault?', 'case_id': 'Case13653'}, 'b2545be7-38ee-49a6-85fb-9b584407cf97': {'query': 'What is the requirement for the clarity and certainty of a Statutory Notice as addressed in the case of Department of Industrial Relations v Forrest?', 'case_id': 'Case11519'}, '0a038e9b-1df3-4458-87a2-dcb9861e362e': {'query': 'What was the specific legal issue addressed by the Full Court regarding the requirements for Statutory Notices in the context of the case Department of Industrial Relations v Forrest (1990)?', 'case_id': 'Case11519'}, '78af9e1a-31ef-41be-a5c7-8c4bb4b475f9': {'query': 'What was the purpose of the s 151AKA(10) notice in the context of the case involving the Department of Industrial Relations v Forrest (1990)?', 'case_id': 'Case11519'}, '3c7357ab-b931-4114-b180-369db95db898': {'query': 'What does section 424A(3)(a) state about general information regarding independent countries in relation to the requirements of section 424A?', 'case_id': 'Case16749'}, '8081d9f1-3b06-48ca-ace5-3d810053dd3a': {'query': 'What statutory discretionary power does the Commissioner have regarding the timing of tax-related liabilities, as discussed in the case of Elias v Commissioner of Taxation?', 'case_id': 'Case17569'}, 'b33d893a-ee41-4e5d-88a3-987858249e14': {'query': \"What is the significance of the ASIC guideline entitled 'External administration: Deeds of company arrangement involving a creditors' trust' in relation to the termination of a deed of company arrangement as mentioned in the context?\", 'case_id': 'Case19105'}, 'bb0a7d3e-e84b-40a4-bbcf-7a2bba59e109': {'query': \"What was the judicial reasoning behind Judge Austin J's decision to terminate the winding up of the company in the case of Rupert Co v Chameleon Mining (2006)?\", 'case_id': 'Case19105'}, '62b858b0-43b8-4f08-8f5a-ddf84907d1ba': {'query': \"What were the names of the three creditors' trusts affected by the proposed orders in the case described?\", 'case_id': 'Case19105'}, '3272d154-2869-4f41-93f7-0302620b1a4e': {'query': \"What specific regulations from the Corporations Regulations apply to the Trustees for determining the Creditors' Entitlements under the Trust Deed in the case involving Rupert Co v Chameleon Mining?\", 'case_id': 'Case19105'}, '3b57373e-3188-4f52-aa59-15ec1e1aa754': {'query': 'What was the specific outcome of the case \"Rupert Co v Chameleon Mining\" as recorded in the given context?', 'case_id': 'Case19105'}, 'b2330ed3-3e25-4ddb-969b-c3b0a4457a85': {'query': 'What specific modifications are necessary to give effect to the Trust Deed referenced in the case \"Rupert Co v Chameleon Mining (2006) 24 ACLC 635\"?', 'case_id': 'Case19105'}, 'a4552482-bd73-40d6-a1fd-832c104dc7d3': {'query': 'What evidence did Mr. Yunghanns provide regarding his purpose for seeking the order for inspection of Style?', 'case_id': 'Case4162'}, '78ef97e5-cadf-4ac5-abb3-a08523758f21': {'query': \"What specific financial issues raised by Mr. Yunghanns concerning Style were not answered, leading to the order sought for inspection of the defendant's books?\", 'case_id': 'Case4162'}, 'c5f03020-adf1-47f7-8ef9-1e26a782b875': {'query': 'What specific \"case for investigation\" did the court refer to in Knightswood Nominees Pty Ltd v Sherwin Pastoral Company Ltd as mentioned in Holdings Ltd v MEH Ltd?', 'case_id': 'Case4162'}, '2239c9c6-b3f8-453c-b2cb-54a59dfb2e7a': {'query': 'What did Messrs Keller and Armstrong understand about the \"ADR Approved\" representation according to their subjective evidence?', 'case_id': 'Case12854'}, '28ebb3e3-e082-4d2a-a417-fd7de1772aed': {'query': 'What was the basis for determining that Mr. Keller and Mr. Armstrong did not have the actual knowledge necessary to establish accessorial liability under the TPA in the case of ACCC v Kaye?', 'case_id': 'Case12854'}, '5677b3e4-1b13-42f1-9ebb-56994fa7f85a': {'query': 'What specific contraventions were directors cited for in the case ACCC v Kaye [2004] FCA 1363?', 'case_id': 'Case12854'}, '5e488ce0-9951-4cbe-892e-da275e9f2a02': {'query': 'Did the production of audited figures for the financial year ending 31 December 1999 serve as conclusive evidence for the profit shortfall experienced by Forbes Australia in 1998, in light of the decision in Dobbs v National Bank of Australasia Ltd?', 'case_id': 'Case2342'}, '8a7af324-ee1b-4dba-b785-7bf8e0bef3ca': {'query': 'What was the outcome regarding the enforceability of the Forbes Lot 8 Lease Guarantee in the case of Dobbs v National Bank of Australasia Ltd [1935]?', 'case_id': 'Case2342'}, '60687efb-01a5-4cf4-ad0d-c84d66286905': {'query': 'What was the significance of the substituted agreement reached by Mr Poh and Mr Forbes regarding the profit shortfall for Mrs Forbes in relation to the calendar year ending 31 December 1998?', 'case_id': 'Case2342'}, '519240c9-0c9c-4944-807d-bfbe9470d650': {'query': \"What was the total profit shortfall that Forbes Australia experienced for the year 1999, as outlined in the applicants' submission?\", 'case_id': 'Case2342'}, '2fc614e8-339f-4567-bde7-66cc0582460d': {'query': 'What was the outcome of the case Dobbs v National Bank of Australasia Ltd [1935] HCA 49?', 'case_id': 'Case2342'}, '766bdc7b-017d-4375-b96a-71765df530d7': {'query': 'What specific evidence did the applicants rely on to support their claim regarding the 1999 shortfall in Dobbs v National Bank of Australasia Ltd?', 'case_id': 'Case2342'}, '07bae2f0-daf0-4d71-9dad-d4c2cf0d3504': {'query': 'What specific challenges did the plaintiff face in relying on their audited accounts for the period ending 31 December 1999 in the case of Dobbs v National Bank of Australasia Ltd?', 'case_id': 'Case2342'}, '255b5d39-c713-457e-8d5f-442ec7bd0392': {'query': 'What was the conclusion of the Deloittes audit report regarding the profit shortfall mentioned in the case \"Dobbs v National Bank of Australasia Ltd [1935] HCA 49\"?', 'case_id': 'Case2342'}, '80e886ea-93e5-4e99-bf3e-58074496e73a': {'query': 'What are the specific arguments the respondents present regarding the interpretation of clause 3.3 in the context of the Deloittes report?', 'case_id': 'Case2342'}, '0de96e3c-e7f1-49a8-8451-18d4e7297fc6': {'query': 'What was the outcome of the case Dobbs v National Bank of Australasia Ltd [1935] HCA 49?', 'case_id': 'Case2342'}, 'a3c60a7c-c2f6-464c-b012-09fc738b9add': {'query': \"What was the main argument presented by the appellant in Dobbs v National Bank of Australasia Ltd regarding the validity of the clause related to the bank's certificate of indebtedness?\", 'case_id': 'Case2342'}, '75734e1d-60b5-4e90-93f5-4d7edbce3fa7': {'query': \"What implication does the clause discussed in Dobbs v National Bank of Australasia Ltd have on the bank's ability to recover amounts owed without producing a certificate?\", 'case_id': 'Case2342'}, 'e85cbae0-7b4a-435f-a1ab-5eafc76adb52': {'query': \"What was the purpose of the clause discussed in Dobbs v National Bank of Australasia Ltd regarding the certification of the debt's amount?\", 'case_id': 'Case2342'}, '0979a824-b38e-430e-9d31-b52507e80567': {'query': 'What specific evidence did the applicants fail to provide to substantiate their case regarding the alleged profit shortfall for the 1999 calendar year in the case \"Dobbs v National Bank of Australasia Ltd\"?', 'case_id': 'Case2342'}, 'd8effa4a-3359-41d0-81c7-9f6e0726738f': {'query': 'What is the case outcome of Dobbs v National Bank of Australasia Ltd as mentioned in the provided context?', 'case_id': 'Case2342'}, '77fe5560-9da5-45a6-af5d-67ede7d1f95f': {'query': 'What specific information was missing from the financial statements for 1999 prepared by the auditors of Forbes Australia that relates to clause 3.3 and Annexure 1 of the share sale agreement?', 'case_id': 'Case2342'}, '98a6699a-4b1b-448b-a457-55e385328b72': {'query': 'How has the principle articulated in Dobbs v National Bank of Australasia Ltd [1935] HCA 49 been extended in subsequent cases, such as Australia Bank Limited [1995] VSC 91?', 'case_id': 'Case2342'}, '24397f6f-c410-4aab-ba1d-41ec4e1607df': {'query': 'What specific conditions led the court to determine that the clauses in this case did not clearly express a limitation on how issues could be resolved in court, as referenced in the context of Dobbs v National Bank of Australasia Ltd?', 'case_id': 'Case2342'}, '21b8548a-02fc-46e6-8811-3feedb996382': {'query': \"How does the preparation of an audit opinion differ from the concept of a banker's certificate as discussed in the case of Dobbs v National Bank of Australasia Ltd [1935]?\", 'case_id': 'Case2342'}, '99a8d774-c928-4217-9973-ad673eebd3b6': {'query': 'What was the outcome of the case Dobbs v National Bank of Australasia Ltd [1935] HCA 49?', 'case_id': 'Case2342'}, 'b58eb875-8050-45d2-97d2-65a0d799b1b3': {'query': 'What is the significance of Clause 3.3 in relation to the certifications described in Clauses 3.4.2, 3.4.3, and 3.4.4 of the share sale agreement?', 'case_id': 'Case2342'}, '05268594-82f7-46a2-ac09-cc30c86e3860': {'query': \"What is the role of the auditor's certification in determining the amounts of loss and damages suffered by the Company under the FEH/FFT and FIA/FIPL Agreements as mentioned in the context?\", 'case_id': 'Case2342'}, 'a306fac6-8580-4644-b4bf-ff7b9f7888ec': {'query': 'What does clause 17 indicate about the applicability of disputes relating to audited financial statements under the terms of the contract in the context of the case \"Dobbs v National Bank of Australasia Ltd\"?', 'case_id': 'Case2342'}, 'be5c389e-74d1-4441-ac4a-34e8b39e6d9e': {'query': \"What specific grounds for challenging a certificate does the case text reference, as mentioned in the context of the High Court's acceptance in Dobbs [1935]?\", 'case_id': 'Case2342'}, '5cb33f69-93c2-435b-a053-c2e979ab7b18': {'query': 'What was the outcome of the case Dobbs v National Bank of Australasia Ltd [1935] HCA 49?', 'case_id': 'Case2342'}, '46f2a073-73ec-48b8-9320-ab7dae38089b': {'query': 'What was the significance of the Deloitte Touche Tohmatsu report in the context of the alleged profit shortfall for the year ending 31 December 1999?', 'case_id': 'Case2342'}, 'f6d03d0d-cc07-4915-92b7-c8cad00f7942': {'query': 'What was the basis for excluding the Ernst & Young report dated 4 October 2001 in the case of Dobbs v National Bank of Australasia Ltd?', 'case_id': 'Case2342'}, '8e51b821-e885-47a3-998d-a1adbcf1266a': {'query': \"What key inference can be drawn regarding the timing of the Ernst & Young report delivery in relation to the applicants' contemplation of litigation based on the evidence presented?\", 'case_id': 'Case2342'}, '56d158fa-1700-4791-b253-3383f0f71afc': {'query': \"What specific evidence provided by Mr. Poh directly addresses Mr. Forbes' affidavit sworn on 16 December 2005 in the case Dobbs v National Bank of Australasia Ltd?\", 'case_id': 'Case2342'}, '7fdbd8fe-0e02-46df-a8a1-191f00ca7ab9': {'query': 'What specific section of the law, indicated by \"either s 135 or s,\" is being discussed in the case Dobbs v National Bank of Australasia Ltd?', 'case_id': 'Case2342'}, '1522acd6-9b49-4bef-8047-9c8b919c288b': {'query': 'What amount were the applicants entitled to recover as damages from Mr. Forbes under the share sale agreement?', 'case_id': 'Case2342'}, '4723816c-1f7b-47e4-9272-f2d1e799524f': {'query': 'What are the options available to the Court or a Judge for including interest in a judgment sum in the case of Dobbs v National Bank of Australasia Ltd?', 'case_id': 'Case2342'}, '1db78df2-2724-4557-9907-9d6522df4cb0': {'query': 'What specific argument did the applicant present to the Tribunal regarding the aggravation of his underlying condition related to his employment?', 'case_id': 'Case13451'}, '4a0a9dbf-41f1-4d25-85b5-edf654d041f0': {'query': 'What principle is consistently upheld in the decision of Australian Postal Corporation v Sellick [2008] FCA 236 as referenced in the context?', 'case_id': 'Case13451'}, 'ff94d540-0d15-47af-be54-5263d393c60e': {'query': 'What does Gallo Winery argue regarding the use of the BAREFOOT wine mark during the non-use period in relation to Beach Avenue Wholesalers?', 'case_id': 'Case1400'}, '1f4fe7a8-e2a9-4cd8-9152-72bc847103fe': {'query': \"What is the impact of the owner's control over a trade mark on the authorised user's use of that trade mark, as discussed in the case of Carnival Cruise Lines Inc v Sitmar Cruises Ltd?\", 'case_id': 'Case1400'}, '7b384849-7414-4046-afcc-a6e686b2a851': {'query': 'What does the judgment in Carnival Cruise Lines Inc v Sitmar Cruises Ltd indicate about the interpretation of the expression \"under the control of\" in legal subsections?', 'case_id': 'Case1400'}, 'c3e36c06-eafc-49c0-9588-1405ff45b0be': {'query': \"What was the basis on which Mr Rambaldi's offer was made to Mr Spalla regarding the discontinuation of the proceeding?\", 'case_id': 'Case24177'}, 'fbd6651f-4325-471e-9191-6b11a2a47eea': {'query': \"What did the Court determine regarding the reasonableness of Mr. Spalla's rejection of the offer in the case of Australian Competition and Consumer Commission v Universal Music Australia Pty Ltd (No 2)?\", 'case_id': 'Case24177'}, '4bb45463-107b-460e-b64c-ee747e6c1b9f': {'query': 'What obligation does a party have when applying for an ex parte injunction as established in Hilton v Lord Granville?', 'case_id': 'Case11739'}, '255d4e22-f99a-414e-9db3-f4268edceb1b': {'query': \"What was the basis for the Tribunal's decision being reviewed in the case of Minister for Immigration and Multicultural Affairs v Eshetu, particularly regarding the claims of bias?\", 'case_id': 'Case9609'}, 'ced966a1-b034-49a4-8c15-c4a46c0a2e47': {'query': 'What did Heydon JA emphasize about the role of the trial judge in terms of retaining impressions of witnesses in the case of Hadid v Redpath?', 'case_id': 'Case23342'}, 'a107a1d3-5a61-4322-bb42-5f0cbcdf1d4b': {'query': \"What specific cautionary measures did T3 fail to implement while assessing the credibility of the appellant's claims in the context of his past mistreatment?\", 'case_id': 'Case23342'}, '1931ed8c-0baa-4409-84f4-e653ddb9952e': {'query': 'What specific concerns did T3 fail to address regarding the potential dangers of drawing conclusions from the discrepancies it identified in the Hadid v Redpath case?', 'case_id': 'Case23342'}, '5bd68d37-4612-4da3-8fcb-2d7df06a0d55': {'query': 'What was the reason the trial judge refused to order the repayment of the increased rent in the case of Air India v Commonwealth?', 'case_id': 'Case24556'}, 'a82a2f64-d4e1-4171-ad05-ce615ab822ca': {'query': \"What distinguishes the applicant's case from that of Air India regarding the threat of eviction?\", 'case_id': 'Case24556'}, '3353e73c-0ab5-43be-97dd-8d7200b30604': {'query': 'What obligations did Sackville J emphasize regarding the adequacy of pleadings by applicants in representative proceedings, as referenced in the context of the case Philip Morris (Australia) Ltd v Nixon?', 'case_id': 'Case20534'}, '3de354c1-720c-4531-b4ea-38175a37ec34': {'query': 'What specific deficiencies in the statement of claim led to the decision to strike it out in the case involving Bayer Australia and Chemtura Australia?', 'case_id': 'Case20534'}, '57df2b7a-3b7c-417a-b13b-ee44543016fc': {'query': 'What specific issues were identified in the paragraphs regarding the definition of group members and the term \"rubber products\" in the case of Philip Morris (Australia) Ltd v Nixon?', 'case_id': 'Case20534'}, 'd037b7c5-4376-46c9-8037-129508b0ff03': {'query': 'What claims did Mr. Rogers make in the case against Asset Loan Co Pty Ltd that involved his standing to institute legal proceedings?', 'case_id': 'Case24745'}, 'bb4a3bb8-187b-4241-80d6-b40570d40e93': {'query': 'What legal exemption did Mr. Rogers argue his claims fell under in the case Rogers v Asset Loan Co Pty Ltd & Ors?', 'case_id': 'Case24745'}, 'f4980f20-12e4-4579-8ef8-c5cba61f7a8e': {'query': \"What legal principle did Greenwood J rely on when determining the nature of Mr. Rogers' claim for compensation in relation to the statutory character of misleading or deceptive conduct?\", 'case_id': 'Case24745'}, '78c1e71f-5e8f-459c-8a52-dcb367ee9970': {'query': \"What claims might emerge in Mr. Rogers' statement of claim that could reflect a breach of the Trade Practices Act 1974 (Cth) independently of the bankrupt's vested rights in property?\", 'case_id': 'Case24745'}, '4243b2f2-868f-42ec-a550-62a940ed43f4': {'query': 'What was the outcome of the case Rogers v Asset Loan Co Pty Ltd & Ors [2006] FCA 434?', 'case_id': 'Case24745'}, 'ad302b55-1399-4ac6-901a-2e28636a05f1': {'query': \"What was the nature of the applicant's claim for interlocutory relief in the case of Rogers v Asset Loan Co Pty Ltd & Ors [2006] FCA 434?\", 'case_id': 'Case24745'}, '29313cdd-ae00-47b2-ae51-6e0a88651377': {'query': 'What does the applicant need in order to further amend his statement of claim filed on 19 June 2006, as discussed in the context of Rogers v Asset Loan Co Pty Ltd?', 'case_id': 'Case24745'}, 'd6b5b910-6c1e-4aae-aeff-a2ae742b8e7f': {'query': 'What was the date by which the applicant was ordered to file and serve an amended statement of claim?', 'case_id': 'Case24745'}, 'd0a3bcfb-5c44-4d33-b691-7194f51e333a': {'query': \"What was the date when the sequestration order regarding Mr. Coulsen's estate was made?\", 'case_id': 'Case24745'}, '407665b4-66d2-468a-99df-e4dbc6ed6baa': {'query': 'What does section 116(2)(g) specify regarding exemptions for wrongs done to the bankrupt in the case of Rogers v Asset Loan Co Pty Ltd & Ors [2006] FCA 434?', 'case_id': 'Case24745'}, 'f7b4d2fd-219c-41e9-86ab-651f5c6f28ba': {'query': 'What specific rights of property were referenced in the context of the bankruptcy case described in \"Rogers v Asset Loan Co Pty Ltd & Ors [2006] FCA 434\"?', 'case_id': 'Case24745'}, '565ac1f8-21ea-45ba-8c59-709c8dc4f7c7': {'query': 'What specific breaches of the Trade Practices Act does the applicant rely on to establish his causes of action in the case Rogers v Asset Loan Co Pty Ltd & Ors [2006] FCA 434?', 'case_id': 'Case24745'}, '42aacec7-ffe5-4333-8455-dc1d99507f44': {'query': 'What specific section of the law prohibits corporations from engaging in misleading or deceptive conduct in trade or commerce as mentioned in \"Rogers v Asset Loan Co Pty Ltd & Ors [2006] FCA 434\"?', 'case_id': 'Case24745'}, '32b0befe-9813-45a6-bd44-c3e1e6cc82eb': {'query': 'What was the outcome of the case \"Rogers v Asset Loan Co Pty Ltd & Ors [2006] FCA 434\"?', 'case_id': 'Case24745'}, '3a188518-dfa1-4125-8599-6e4461f29b45': {'query': \"What did Greenwood J determine regarding the applicant's standing in the context of the case Rogers v Asset Loan Co Pty Ltd & Ors [2006] FCA 434?\", 'case_id': 'Case24745'}, '69da508c-b379-4c1b-bce9-5b104b4868ac': {'query': 'What was the reason for the applicant needing to file a further amended statement of claim in the case of Rogers v Asset Loan Co Pty Ltd & Ors?', 'case_id': 'Case24745'}, 'd882902f-bb94-4d8d-852a-0b31ce98e009': {'query': 'What role do subjective factors play in determining the penalty for serious breaches of the OH & S Act according to the cited passages in the case text?', 'case_id': 'Case1727'}}\n", + "Generated mixed qs 7\n", + "0.6204379562043796 0.781021897810219\n", + "Filled cited db 7\n", + "Generated cited qs 7\n", + "Filled mixed db 8\n", + "{'0c3c9040-d199-43fd-bebe-69c62df95d0f': {'query': \"What specific reasoning did the Federal Magistrate provide regarding the applicant's prospects for success in appealing the delegate's decision in this case?\", 'case_id': 'Case18394'}, '03a08c54-df77-4103-be4d-c508faf0738e': {'query': 'What was the outcome of the application for leave to appeal in the case reviewed by Justice Besanko on 31 May 2006?', 'case_id': 'Case18394'}, '2e1d77e5-ec1e-4b64-abec-e4023993e004': {'query': 'What is the significance of the term \"matter\" as defined in s 39B in relation to the rulings in Commonwealth v Lyon [2003]?', 'case_id': 'Case14536'}, '89acaca9-acd1-42a5-be99-08c6aa0ac8d3': {'query': \"What principles summarized by Weinberg J in McKellar v Container Terminal Management Services Ltd are relevant to the Court's decision to dismiss a claim?\", 'case_id': 'Case21410'}, '1f65a65f-f9df-4a0c-bc36-31cd8ad7c0c6': {'query': 'What argument was addressed regarding the implication of terms into contracts as discussed in the case of Australian and New Zealand Banking Group Ltd v Frost Holdings Pty Ltd?', 'case_id': 'Case9866'}, '3cc9d068-9000-46e3-a91b-972eb78a57fc': {'query': 'What key principle regarding implied terms in contracts is discussed in the context of the Australian and New Zealand Banking Group Ltd v Frost Holdings Pty Ltd case?', 'case_id': 'Case9866'}, '40ed1925-2598-4cc6-bf08-fcc19dc93a40': {'query': 'What specific statutory provision did the appellants claim the Tribunal breached in relation to their case?', 'case_id': 'Case10457'}, '5e88f766-18c7-4ebe-989f-4e11cdc13fb6': {'query': 'How did the court interpret the duty of fairness in relation to the disclosure of information integral to the reasoning process in the case of SAAP v Minister for Immigration and Multicultural and Indigenous Affairs?', 'case_id': 'Case10457'}, 'c65d9275-4169-4811-860f-58c171131036': {'query': 'What specific criteria did the appellants in SZEEU v Minister for Immigration and Multicultural and Indigenous Affairs need to succeed in, according to the case text?', 'case_id': 'Case10457'}, '67036a17-5ad8-47ab-bd72-b88aee058c89': {'query': \"What was the outcome of the applicant's oral application for leave to file a statement of charge for contempt against the respondents during the proceedings before Jessup J?\", 'case_id': 'Case3513'}, '6053d41c-b5bc-4230-b145-60ca22870294': {'query': 'What specific rule did Justice Finkelstein rely on to direct the Registrar to refuse filing the notice of motion in the case of Bahonko v Sterjov?', 'case_id': 'Case3513'}, '78ed62ed-6e0b-4dfd-88ad-f180a7a6a499': {'query': \"How did the High Court's discussion in Thompson v Australian Capital Television address the notion of liability for television stations broadcasting live feeds of potentially controversial content?\", 'case_id': 'Case947'}, '41787f3a-77fb-4a49-9aa4-2dffbbe3ba12': {'query': 'What did the Tribunal remark regarding the level of protection the Indian authorities would provide to the appellant outside of Gujarat?', 'case_id': 'Case13700'}, 'f491af70-5d82-46f7-b150-2400c503f0da': {'query': 'What obligations did the Ukrainian state have regarding the protection of its citizens\\' lives and safety, according to the Tribunal\\'s findings in the case \"Minister for Immigration and Multicultural Affairs v Respondents S152/2003\"?', 'case_id': 'Case13700'}, 'd716a3bf-df58-4b17-9471-c27603fe9e18': {'query': \"What was the conclusion of the court regarding the Indian state's level of protection against the risk of attack by Muslim fundamentalists as presented in the case Minister for Immigration and Multicultural Affairs v Respondents S152/2003?\", 'case_id': 'Case13700'}, '2fc7884e-09b9-4624-bf99-7e99bd13e0e3': {'query': \"What penalties for contempt of court are clarified in the case of Viner v Australian Building Construction Employees' and Builders Labourers' Federation (No 3) according to the High Court Rules 2004 (Cth)?\", 'case_id': 'Case9668'}, '33820447-5147-45fe-a37d-ea1c7910a97c': {'query': 'What suggestion did Merkel J make regarding the enforcement of fines imposed on a contemnor in the case Australian Industrial Group v Automotive, Food, Metals, Engineering, Printing and Kindred Industries Union of Australia & Ors?', 'case_id': 'Case9668'}, '742f8ffb-4a3a-4856-a56b-b28007fce364': {'query': 'What authority does the Court have regarding the imposition of a sentence of imprisonment in cases of non-payment of fines as discussed in the context of \"Viner v Australian Building Construction Employees\\' and Builders Labourers\\' Federation (No 3)\"?', 'case_id': 'Case9668'}, '41f70880-26a8-4052-ba2b-90ddc55443d7': {'query': 'What factors did the applicants argue supported their request to re-open the case involving the bond of $100,000?', 'case_id': 'Case16306'}, '7f066665-5c87-4e2e-bbf9-7ca0eb329ae2': {'query': 'What three relevant questions were identified by the applicants regarding the breach of the bond in the case \"Re Smith; ex parte Inspector-General in Bankruptcy [1996] FCA 1076\"?', 'case_id': 'Case16306'}, '8233a1e8-9eae-4424-9edf-f8d1f21a8880': {'query': 'What evidence is the applicant seeking to present that pertains to the breach of duty by Bradshaw as a trustee in the case of Re Smith; ex parte Inspector-General in Bankruptcy?', 'case_id': 'Case16306'}, 'bda8a755-993b-48fd-9b05-1cbc0efdd3ab': {'query': 'What was the basis for the applicants\\' conduct at the first hearing in the case titled \"Re Smith; ex parte Inspector-General in Bankruptcy [1996] FCA 1076\"?', 'case_id': 'Case16306'}, 'aa0fb64b-9c70-409c-b9ba-697f573d83da': {'query': 'What reasons did the Court provide for not considering a further extension of time or another hearing for the appellant?', 'case_id': 'Case12108'}, '88772f2b-c614-4619-be14-206e477b4716': {'query': 'What was the primary reason for dismissing the appeal in the case \"Minister for Immigration and Multicultural Affairs v SZFDE [2006] FCAFC 142\"?', 'case_id': 'Case12108'}, 'cb0d23d1-8f5f-4a58-b3ac-897e92ad13b6': {'query': 'What was the significance of the Clothworkers of Ipswich Case (1615) in relation to the patent system and the granting of monopolies in England?', 'case_id': 'Case15106'}, '0a744ca3-2601-4654-b798-7f2c225513e6': {'query': 'What specific provision from \"the Crown, vol 1, c 29, s 20\" was cited in the outcome of the Clothworkers of Ipswich Case?', 'case_id': 'Case15106'}, 'cb761d49-f7c3-43c8-b7e0-0926d6e860ab': {'query': \"What does the Full Court's definition of 'infringing copy' in relation to the Copyright Act imply for the conversion claims in the case of International Writing Institute Inc v Rimala Pty Ltd and Another?\", 'case_id': 'Case19340'}, '004fb74e-439a-4912-a63b-c23b4146d8ba': {'query': 'What specific deficiencies in the existing pleadings led the Court to conclude that they were insufficient in the case of International Writing Institute Inc v Rimala Pty Ltd and Another?', 'case_id': 'Case19340'}, '4cf455aa-9b4e-48db-9feb-b4e799974929': {'query': 'What evidence is considered relevant in determining the arrangement between Damilock and its creditors in the context of delayed debt payments?', 'case_id': 'Case7240'}, 'd759a809-b788-48c2-a9a5-9884d5f71622': {'query': \"What was the outcome of the case Iso Lilodw' Aliphumeleli Pty Ltd (in liq) v Commissioner of Taxation (2002) 42 ACSR 561 as referenced in Taylor v Carroll (1991) 6 ACSR 255?\", 'case_id': 'Case7240'}, '96cfed22-ddad-4114-9de6-e0a7ab066c74': {'query': 'What did the Full Court discuss regarding the obligation in s 425 to invite the applicant to appear in the case of Minister for Immigration and Multicultural and Indigenous Affairs v SCAR?', 'case_id': 'Case13362'}, '3e5c2512-e114-4d42-833a-01cbfab1fe90': {'query': 'What was the outcome of the case \"SZFDE v Minister for Immigration and Citizenship [2007] HCA 35\"?', 'case_id': 'Case13362'}, '0e62bece-c214-4e85-a0b0-731c59fb119d': {'query': 'What specific legal precedent was referred to in the case of SZFDE v Minister for Immigration and Citizenship [2007] HCA 35?', 'case_id': 'Case13362'}, 'db5fc055-b337-4a93-bd0a-6a26d361259c': {'query': 'What specific administrative step was identified as a failure in the context of procedural fairness in the case of SZFDE v Minister for Immigration and Citizenship?', 'case_id': 'Case13362'}, 'ceb95059-19e1-4ced-8e24-3af288de44aa': {'query': 'What principle regarding the attribution of state of mind to companies was approved by the High Court in Krakowski v Eurolynx Properties Limited, as referenced from Brambles Holdings Limited v Carey?', 'case_id': 'Case19914'}, 'ef9e2abf-8919-4926-afa3-2c7be00c7d9c': {'query': 'What specific role did Mr. Graham play in the decisions made by the NRC regarding the AR terminal before the shares were purchased by the Toll/Patrick consortium?', 'case_id': 'Case19914'}, 'aec3ed0d-74e9-41ad-a4fb-7762ea215ffa': {'query': \"What evidence did Mr Butcher provide regarding his assumptions in relation to Mr Graham's recommendations to the Board?\", 'case_id': 'Case19914'}, '8032b3ee-b742-4f8e-a537-f2e19b5f4097': {'query': \"What role did Mr. O'Rourke's expectations play in determining the assumptions held by Queensland Railways (QR) regarding the funding options for NRC?\", 'case_id': 'Case19914'}, '46b3adad-76f6-4de0-82e5-0e108f0bf1ac': {'query': 'What was the outcome of the case Brambles Holdings Limited v Carey (1976) 15 SASR 270?', 'case_id': 'Case19914'}, 'c8fe24b3-dd6f-4af5-807d-a5efdc742d19': {'query': 'What role did Mr. Graham play in the decision-making process regarding the expenditure on the AR terminal and the East Coast Strategy in the case of Brambles Holdings Limited v Carey?', 'case_id': 'Case19914'}, '7e740c39-26be-45df-8709-29bd2587e9e9': {'query': 'What was the critical document that laid down the legal framework for the establishment of NRC as a government-owned corporation?', 'case_id': 'Case19914'}, '695942a9-79b3-46d2-9fe3-08aac0bab1bf': {'query': \"What principles did Weinberg J summarize regarding the court's power to dismiss a claim for lack of reasonable cause of action in the case of McKellar v Container Terminal Management Services Ltd?\", 'case_id': 'Case20790'}, 'b3acd09e-4b21-43a8-8013-0de3ec3edc5b': {'query': 'What is the significance of pleading all material facts in the context of the case McKellar v Container Terminal Management Services Ltd?', 'case_id': 'Case20790'}, '8d4bbd47-bc44-4813-a050-01d020e3a387': {'query': 'What did Weinberg J identify as the pleading requirements for a cause of action under section 82 of the Act in the McKellar v Container Terminal Management Services Ltd case?', 'case_id': 'Case20790'}, 'ce8ad6e7-e556-4643-9f7c-b716c5ca4417': {'query': 'What specific material facts were missing in the SASC that led to the conclusion that the applicant did not suffer any loss or damage due to contraventions of the Act by the respondents in the case of McKellar v Container Terminal Management Services Ltd?', 'case_id': 'Case20790'}, '7a6d6bab-cb0f-48d7-bd8f-230d2612c0c2': {'query': 'What was the legal issue at stake in McKellar v Container Terminal Management Services Ltd [1999] FCA 1101?', 'case_id': 'Case20790'}, '1a81e3b5-9ade-45ab-b0f1-c073724e93f8': {'query': \"What specific inadequacies in the pleadings of paragraphs 85 and 86 of the SASC were identified regarding the applicant's claims of loss or damage due to the respondents' contraventions of the Act?\", 'case_id': 'Case20790'}, '26198dd8-be6d-4999-8317-8cf039deb633': {'query': 'Did the respondents consistently provide air cargo services to group members on all routes they serviced, according to the case McKellar v Container Terminal Management Services Ltd?', 'case_id': 'Case20790'}, '8585ba52-09b3-4dd8-90b9-63ab0e1caa02': {'query': 'What was the significance of the decision in TEC & Tomas (Australia) Pty Ltd v Matsumiya Computer Company Pty Ltd as referenced in SAP Australia Pty Ltd [1999] FCA 1821 regarding misleading or deceptive conduct?', 'case_id': 'Case10211'}, '18d7e4d9-dd60-4e02-b3c1-f5adc0f15496': {'query': 'How did the use of the \"Seiko\" name in marketing impact potential purchasers\\' decisions to engage with the respondents in TEC & Tomas (Australia) Pty Ltd v Matsumiya Computer Company Pty Ltd?', 'case_id': 'Case10211'}, '295c4663-bc02-473c-9443-5ac2a290503d': {'query': \"What does the court suggest about the consumer's awareness regarding the product they are purchasing in the case of TEC & Tomas (Australia) Pty Ltd v Matsumiya Computer Company Pty Ltd?\", 'case_id': 'Case10211'}, 'e23ab057-9726-4ddb-be2b-adaf648fb771': {'query': \"What was Mr. Carey's primary argument regarding the necessity of cross-examination of deponents for disclosure affidavits in the case discussed?\", 'case_id': 'Case7588'}, 'b992ede1-bd1d-4ee4-97c2-236e05b4fcbb': {'query': 'What precedent cases were cited in the decision regarding the lack of specific evidence for loss or damage in the context of imposing penalties?', 'case_id': 'Case22355'}, '2d10d967-eea0-4347-81a0-03307b4e8189': {'query': 'What principles regarding apprehension of bias were reiterated and explained in the case Concrete Pty Ltd v Parramatta Design & Developments Pty Ltd as referenced by Kirby and Crennan JJ?', 'case_id': 'Case23274'}, 'ece327ff-bf73-4792-a41b-f88536f3e991': {'query': 'What are the two steps required to apply the apprehension of bias principle as discussed in the context of the case \"Concrete Pty Ltd v Parramatta Design & Developments Pty Ltd [2006] HCA 55\"?', 'case_id': 'Case23274'}, 'a76f569d-6ca0-4dc3-a559-de54bcb11b47': {'query': 'How does the case of Concrete Pty Ltd v Parramatta Design & Developments Pty Ltd contribute to the understanding of modern judicial practices in relation to the management of cases?', 'case_id': 'Case23274'}, '094896c4-3ec5-4c24-89da-758d95ed3697': {'query': 'What principle regarding the expression of tentative views by judges during trials or appellate proceedings is illustrated in the case of Concrete Pty Ltd v Parramatta Design & Developments Pty Ltd [2006] HCA 55?', 'case_id': 'Case23274'}, '819152ee-540f-434d-a46f-49a922bd5720': {'query': 'What specific concerns about partiality or bias were raised in the case of Concrete Pty Ltd v Parramatta Design & Developments Pty Ltd [2006]?', 'case_id': 'Case23274'}, '09ff1856-63df-42f6-8a44-2b9aeb6cfd1f': {'query': \"What did Callinan J mention about the trial judge's inclination towards outspokenness in the context of Parramatta Design?\", 'case_id': 'Case23274'}, 'cfb2e277-3929-4606-8426-11ad610138c9': {'query': \"What concerns did the fair-minded lay observer have regarding the impartiality of the trial judge in 'Concrete Pty Ltd v Parramatta Design & Developments Pty Ltd [2006] HCA 55'?\", 'case_id': 'Case23274'}, '03ebf1b0-9d72-4c34-8717-f9140b3df5e9': {'query': 'What principle did the High Court uphold in the case of Concrete Pty Ltd v Parramatta Design & Developments Pty Ltd regarding the need for tribunal impartiality?', 'case_id': 'Case23274'}, '16fc71ab-6eb8-4643-b608-d2c9399b7154': {'query': 'What principle is discussed in \"Concrete Pty Ltd v Parramatta Design & Developments Pty Ltd [2006] HCA 55\" regarding the impartiality of a judicial officer or juror?', 'case_id': 'Case23274'}, '0d83e988-b070-4144-92f0-c682fe7086e2': {'query': 'What reasoning did Bongiorno J provide for allowing the complaints by the defendants regarding their joinder in the proceedings to be dismissed?', 'case_id': 'Case7901'}, 'd819bd8a-87e3-4f42-a0be-d8f950ae8e4a': {'query': 'What representations did Wholefoods make in their letter that the Dairy claimed were in contravention of the Trade Practices Act 1974?', 'case_id': 'Case7901'}, 'bc354a73-ff88-4a15-96b5-2efe7407f057': {'query': 'What specific issue did Justice Bongiorno highlight regarding the clarity of the last representation in the case Snowy Mountains Organic Dairy Products Pty Ltd v Australian Broadcasting Corporation?', 'case_id': 'Case7901'}, 'd58fe4fd-5c56-4128-bc66-69dae873b240': {'query': \"What were the specific implications conveyed by the article in the Weekly Times regarding the Dairy's claim to produce organic milk as mentioned in the case Snowy Mountains Organic Dairy Products Pty Ltd v Australian Broadcasting Corporation?\", 'case_id': 'Case7901'}, '98b8023e-b1a0-4d30-af8c-fd5186161555': {'query': 'What was the outcome of the case Snowy Mountains Organic Dairy Products Pty Ltd v Australian Broadcasting Corporation [2006] VSC 138?', 'case_id': 'Case7901'}, '590cd320-adbd-4dcf-99f9-8a8f2064568d': {'query': 'What actions did the Dairy take that warranted investigation by Consumer Affairs Victoria in the case of Snowy Mountains Organic Dairy Products Pty Ltd v Australian Broadcasting Corporation?', 'case_id': 'Case7901'}, 'b66e9cc8-4e44-4e8a-916f-3cfffbf69eea': {'query': 'What specific allegations prompted the investigation by Consumer Affairs Victoria mentioned in the case of Snowy Mountains Organic Dairy Products Pty Ltd v Australian Broadcasting Corporation?', 'case_id': 'Case7901'}, '15f410ef-9c50-4600-aa53-d90234741d9a': {'query': 'What concerns did the Dairy express regarding the potential consequences of separating the trial into two separate jury trials, as highlighted in the submission to Bongiorno J?', 'case_id': 'Case7901'}, '269ee554-dba3-4275-b5c8-d0d2de45918a': {'query': \"What central role did Mr. Kinnear's complaint to Consumer Affairs Victoria play in the decision to allow the defamation claims to proceed concurrently in Snowy Mountains Organic Dairy Products Pty Ltd v Australian Broadcasting Corporation?\", 'case_id': 'Case7901'}, 'd2e9831e-f554-4884-83f8-747487ad936f': {'query': 'What was the outcome of the case \"Snowy Mountains Organic Dairy Products Pty Ltd v Australian Broadcasting Corporation [2006] VSC 138\"?', 'case_id': 'Case7901'}, 'b03200f8-9822-492d-9f04-00cbabe5afa0': {'query': \"What concerns were raised regarding the risk of inconsistent findings related to Mr. Kinnear's credibility and the Dairy's representation of its milk as organic in the case of Snowy Mountains Organic Dairy Products Pty Ltd v Australian Broadcasting Corporation?\", 'case_id': 'Case7901'}, '000267e7-0248-4a57-b0f1-a454b70e0dd1': {'query': 'What claims made by the Dairy required substantiation according to the notices issued by the Director of Consumer Affairs Victoria as mentioned in the affidavit sworn by Mr Ball?', 'case_id': 'Case7901'}, '7d94214e-06c2-40be-ba41-1fa8da536db8': {'query': 'What did Bongiorno J conclude about the relationship between the first and second Supreme Court proceedings in the case of Snowy Mountains Organic Dairy Products Pty Ltd v Australian Broadcasting Corporation?', 'case_id': 'Case7901'}, '02d907e1-cc29-4d56-b641-06fc9988356e': {'query': \"What specific evidence was accepted by the Court from Mr. McCallum's family in the case of Comcare v John Holland Pty Ltd [2009] FCA 1196, and how was it treated in terms of penalty determination?\", 'case_id': 'Case22149'}, '60ac069c-58c3-4fc1-bc48-1d92b9cc4143': {'query': 'What was the date of the judgment in the case Comcare v John Holland Pty Ltd [2009] FCA 1196?', 'case_id': 'Case22149'}, '77f49790-649e-4d6b-8b10-97b4f1f5c0e5': {'query': 'What passage from the judgment of Mason CJ in Australian Broadcasting Tribunal v Bond is referenced for guidance in the judicial review of a finding of fact on an error of law ground?', 'case_id': 'Case5309'}, '084821e0-bc27-4006-9838-b1a35999a54b': {'query': \"What was the primary reason the court dismissed the second respondent's motion in the case of Bell Wholesale Co Ltd v Gates Export Corporation?\", 'case_id': 'Case12571'}, '0a9baecd-3e17-4bd4-a0ee-e3f1f196ead7': {'query': 'What was the date of the hearing and judgment for the case of Bell Wholesale Co Ltd v Gates Export Corporation?', 'case_id': 'Case12571'}, '4a057480-01c0-4f75-bfc2-02cbbb596a8b': {'query': 'What specific mischaracterization of the DOCA is highlighted in the case text regarding its nature as a solution for creditors?', 'case_id': 'Case23213'}, '6269dc73-f6dc-46f8-9ca1-3772de43250a': {'query': \"What evidence was presented to challenge Mr and Mrs Cassimatis' belief in the generosity of the DOCA in the case of National Exchange Pty Ltd v Australian Securities and Investments Commission?\", 'case_id': 'Case23213'}, 'cbb30509-c648-46ef-a3a8-88a9fa79379a': {'query': 'What specific clause in the Information Memorandum relates to the release of employees and officers of Storm for creditors who join the \"Storm Clients Recovery Group\"?', 'case_id': 'Case23213'}, '0d93fa33-bfb9-49c1-9991-6a08cc9050d4': {'query': 'What is the significance of the grammatical meaning in the context of statutory interpretation as discussed in the case of Chiropedic Bedding Pty Ltd v Radburg Pty Ltd?', 'case_id': 'Case13602'}, '477fd1e8-9b33-4db2-b176-cc8691535ec9': {'query': 'What specific legal principle was highlighted in the case of Chiropedic Bedding Pty Ltd v Radburg Pty Ltd (2007) regarding outcomes that could be considered \"manifestly absurd\" or \"unreasonable\"?', 'case_id': 'Case13602'}, '6d0d1ab7-325a-4a29-bfc8-c108aedfbe34': {'query': 'What is the general rule regarding who is responsible for the costs in a proceeding by or against a liquidator, as established in the case of Marseilles Extension Railway and Land Company?', 'case_id': 'Case6541'}, '2cef009b-3587-4388-8367-737e1fb02b86': {'query': 'What was the primary objective associated with the introduction of Part 5.3A by the Corporate Law Reform Act 1992, as discussed in the case of Chamberlain, in the matter of South Wagga Sports and Bowling Club Ltd (Administrator Appointed) [2009] FCA 25?', 'case_id': 'Case14817'}, 'd6381821-2881-40a7-a9a6-d3a84fb71231': {'query': 'What considerations were highlighted in the case of Chamberlain regarding the balance between the expectation of swift administration and the need for thorough actions to maximize returns for creditors?', 'case_id': 'Case14817'}, '46cd5ac9-337a-42b5-8521-8bab62aefeef': {'query': 'What is the significance of the opinion referred to in section 439A(4) in relation to the extension requested by the administrators in the context of the South Wagga Sports and Bowling Club case?', 'case_id': 'Case14817'}, 'b058d1d2-cbf0-4c47-9c2a-d1016473fc9e': {'query': 'What does the order made in Re Daisytek Australia Pty Ltd, as cited in Chamberlain, in the matter of South Wagga Sports and Bowling Club Ltd (Administrator Appointed) [2009] FCA 25, indicate about the flexibility of meeting times during the convening period?', 'case_id': 'Case14817'}, 'bbd04dfb-3bf2-459d-be39-2ee39552702e': {'query': 'What specific instances identified by Lord Mansfield in Moses v Macferlan justify a claim for money had and received?', 'case_id': 'Case24577'}, '19c04101-c0c7-4cf3-9d77-dd7c0793ec81': {'query': 'What is the significance of the precedents mentioned in \"Moses v Macferlan (1760) 97 ER 676\" in relation to restitution law?', 'case_id': 'Case24577'}, '75ee0dd8-5010-4f8a-819c-30d4c522a750': {'query': 'What was the outcome of the judgment obtained by the respondents against Mr. Ollis on 1 July 2005?', 'case_id': 'Case19666'}, '78d01d6f-ca06-4af7-a8f9-f9e970eec944': {'query': 'What specific interest in property was subject to the Supreme Court order in the case of Rayner & Anor v Ollis [2007] FMCA 1160?', 'case_id': 'Case19666'}, '1ab05de2-d9f6-4b76-8e75-824008480b5e': {'query': 'What was the outcome of the case Rayner & Anor v Ollis [2007] FMCA 1160?', 'case_id': 'Case19666'}, '503bd056-2485-4351-89f0-cf6d7dd8c7b5': {'query': 'What did the High Court determine about the obligations of the Tribunal under section 424A in the case of SZBYR v Minister for Immigration and Citizenship?', 'case_id': 'Case812'}, 'b20af496-f651-4f34-923b-89b3c6cb4144': {'query': 'What was the reason the Appellant and his wife did not provide further evidence during the Tribunal proceedings for their protection visa application?', 'case_id': 'Case812'}, '977609f2-97bb-485d-8a7f-dbf00ea9d1c0': {'query': \"What was the significant material referenced in the case SZBYR v Minister for Immigration and Citizenship that influenced the court's decision?\", 'case_id': 'Case812'}, '156879cc-5c03-42d2-af7b-915cfa33ff8b': {'query': 'How did the principle enunciated by Mandie J in Grimwade v Meagher at 452 influence the decision regarding the control of conduct by solicitors and counsel in this case?', 'case_id': 'Case6328'}, 'ff51bcfc-ecb4-4c3d-bbe9-eab63df54967': {'query': 'What were the unique circumstances that led Mandie J to restrain senior counsel from acting in the civil proceedings in Grimwade v Meagher?', 'case_id': 'Case6328'}, 'c7d60668-41b8-476b-8ee1-9e6b12d2e5a2': {'query': 'What is the test applied in the context of the inherent jurisdiction as discussed in Grimwade v Meagher?', 'case_id': 'Case6328'}, '7f50d0b9-d351-42af-af6a-80298cfc6c57': {'query': 'What exceptional circumstances must be present for the Federal Court to exercise its power to restrain solicitors or counsel in Grimwade v Meagher?', 'case_id': 'Case6328'}, 'c733762b-16ab-48c5-8762-d09158cfbbed': {'query': 'What was the case outcome for Grimwade v Meagher [1995] 1 VR 446?', 'case_id': 'Case6328'}, '91b248e3-132c-42e6-83e3-fe9ce7e0331a': {'query': 'What specific circumstances, as highlighted in Grimwade v Meagher, can lead to the Federal Court exercising its inherent power to restrain a solicitor or counsel from acting for a client?', 'case_id': 'Case6328'}, 'e75f95e9-c0d7-46e4-9c87-654518edfe6c': {'query': \"What principle did Goldberg J reference from Black v Taylor regarding the balance between a litigant's representation by their chosen lawyer and the public interest?\", 'case_id': 'Case6328'}, '21f311af-ecb9-4b6a-9b77-c20dd889d4c2': {'query': 'What legal distinction did the High Court make between the powers to deport and to cancel a visa as discussed in the case of Minister for Immigration and Multicultural and Indigenous Affairs v Nystrom?', 'case_id': 'Case9723'}, '4f47f382-6522-4440-aef6-04c173e5f07d': {'query': 'What are the distinct criteria that apply under s 201(c) and s 501(7) in the case of Pull v Minister for Immigration and Multicultural and Indigenous Affairs?', 'case_id': 'Case9723'}, 'ecdc4b2d-aee6-4191-ada6-7f9547194411': {'query': 'What specific relationship do ss 501(2), (6), and (7) have with the constitutional sources of power in s 51(xix) and (xxvii) as discussed in the case of Pull v Minister for Immigration and Multicultural and Indigenous Affairs [2007] FCA 20?', 'case_id': 'Case9723'}, 'efbf655b-0d59-4d60-8837-c9853c0bd6b3': {'query': 'What observations did Gleeson CJ make regarding the effect of other sections of the Migration Act on s 501(2) in the case of Pull v Minister for Immigration and Multicultural and Indigenous Affairs?', 'case_id': 'Case9723'}, 'c081c2d5-268f-47fa-9232-937d3e175531': {'query': 'What was the outcome of the case Pull v Minister for Immigration and Multicultural and Indigenous Affairs [2007] FCA 20?', 'case_id': 'Case9723'}, 'c07ecb69-cd0e-4911-9170-3681bcf92765': {'query': 'What did Gleeson CJ state about the relationship between ss 200 and 201 and s 501(2) of the Migration Act 1958 in the case of Pull v Minister for Immigration and Multicultural and Indigenous Affairs?', 'case_id': 'Case9723'}, '224ceabf-2a82-488f-a597-3b31a59b4d79': {'query': \"What was the basis for the respondent's contention in the case of Pull v Minister for Immigration and Multicultural and Indigenous Affairs [2007] FCA 20?\", 'case_id': 'Case9723'}, 'eefe4062-4c3f-47c0-8fee-3ac49068a266': {'query': \"What was the reasoning applied in the case of Pull v Minister for Immigration and Multicultural and Indigenous Affairs regarding the visa holder's liability to deportation?\", 'case_id': 'Case9723'}, 'f8795a80-c9d6-442f-811b-b202ffcf63eb': {'query': 'What specific aspect of section 501(2) was discussed in relation to its compatibility with Chapter III of the Constitution in the case of Pull v Minister for Immigration and Multicultural and Indigenous Affairs?', 'case_id': 'Case9723'}, 'ec52c973-08ab-40e7-95aa-aaae9047afcf': {'query': 'What specific concerns does Pfizer have regarding the amendment of the Patents Register, particularly in relation to the outcomes of the Woolworths cases?', 'case_id': 'Case9414'}, '5d221af7-3125-43bc-8010-0d1744eb2ed5': {'query': 'What were the comprehensive undertakings proffered to the Court by the first respondent during the interlocutory relief hearing on 22 May 2009 in the case of Australian Communications and Media Authority v Mobilegate Ltd?', 'case_id': 'Case788'}, '836ec930-0477-4fbc-9dc4-befe67473eb4': {'query': 'What specific deadline has been set for the first respondent to file and serve an amended discovery list regarding the documents previously held?', 'case_id': 'Case788'}, 'e3a31655-0978-4b3c-ac79-8c84531cf4ba': {'query': \"What was the basis for the Full Court's decision to allow the evidence of the Cadbury experts to be included in the case against Darrell Lea?\", 'case_id': 'Case21234'}, '89c84bdf-9105-4ea7-b559-f7ca7c57cce8': {'query': 'What was the reason provided by the Full Court for allowing Darrell Lea to recover costs related to submissions made during the first trial?', 'case_id': 'Case21234'}, 'ca4073dd-0237-410e-8755-c6b206c6e046': {'query': \"What specific error did the Honours identify regarding the order for indemnity costs related to Darrell Lea's expert Mr. John Hall in the Cadbury Schweppes case?\", 'case_id': 'Case21234'}, '38e28407-9d44-4b65-8adf-f8cb2cacb508': {'query': 'What was the name change that led to the formal defect in the bankruptcy notice in the case of Re Hansen; Ex parte Hansen (1985)?', 'case_id': 'Case12937'}, '4a3acbad-f1f1-49f4-b3ce-5aa03d8e8f04': {'query': 'What issue did the judgment debtor face regarding the identity of the party in the bankruptcy notice, as highlighted in the context of the case \"Re Hansen; Ex parte Hansen\"?', 'case_id': 'Case12937'}, '5e0ce7c8-47b7-48f5-86e8-9120ff08d32e': {'query': \"What specific evidence did the Tribunal rely on to determine that the appellant's activities would not lead to him being perceived as having political influence or profile?\", 'case_id': 'Case1503'}, 'bd25d1e8-8a2e-4139-9055-cbda4cb59168': {'query': \"What did the Tribunal find regarding the appellant's risk of persecution in relation to his political activity?\", 'case_id': 'Case1503'}, 'e18e76fe-e36a-446c-9937-330c4b3d47f1': {'query': 'What were the three alleged errors committed by the Refugee Review Tribunal that the Appellant cited in his Grounds of Appeal?', 'case_id': 'Case16359'}, '7c048a8e-eba7-4f8b-9a2a-8cb0099f85dd': {'query': 'What specific arguments did the Appellant repeat in their written submissions to the Court on 18 February 2009 in the case of SZMUF v Minister for Immigration and Citizenship?', 'case_id': 'Case16359'}, '6e8f82dd-8a8e-4a50-a1e1-083c152eb02a': {'query': 'What criteria did Jacobson J specify for determining whether Health World Ltd qualifies as \"an aggrieved person\" in the context of the case against Shin-Sun Australia Pty Ltd?', 'case_id': 'Case23327'}, 'bb24c4ad-aff1-4b00-bbdb-3c7e5b9d72ae': {'query': 'What specific evidence did the court consider to determine that Health World does not have a genuine desire to use the HEALTH PLUS mark in the case \"Health World Ltd v Shin-Sun Australia Pty Ltd\"?', 'case_id': 'Case23327'}, '8fab3647-fdbe-4cf6-90c4-18da6c626eb7': {'query': 'What specific provisions of the Trade Marks Act are being considered regarding the potential cancellation of the Registered Trade Mark in Health World Ltd v Shin-Sun Australia Pty Ltd?', 'case_id': 'Case23327'}, '3e5e4c85-9a43-4340-9172-7310bcc9168e': {'query': 'What specific duties did Harry Wang breach when procuring the registration of the Registered Trade Mark in relation to An Ying NZ, Andrew Chen, and An Ying Melbourne?', 'case_id': 'Case23327'}, '335ceb80-a5de-4988-8914-ba176e555196': {'query': 'What factual issue must be resolved concerning what was presented to the Appellant during the Tribunal hearing in the context of the proposed Ground?', 'case_id': 'Case23939'}, 'afc2ce63-bd53-4a62-90d7-490d296beae5': {'query': 'What was the outcome of the appeal in \"Applicant A376 of 2002 v Minister for Immigration and Multicultural and Indigenous Affairs [2004] FCAFC 222\" and what were the implications for the costs?', 'case_id': 'Case23939'}, '30e7f7a5-a4af-4189-a653-e401fe263a67': {'query': 'What specific date did the mediation session take place that was conducted by Registrar Moore?', 'case_id': 'Case22068'}, '30bfbb11-8dff-4d36-9499-0777ab9397da': {'query': 'What type of advice was provided to the 19 group members in the case of Neil v P & O Cruises Australia Limited?', 'case_id': 'Case22068'}}\n", + "Generated mixed qs 8\n", + "0.5447761194029851 0.7985074626865671\n", + "Filled cited db 8\n", + "Generated cited qs 8\n", + "Filled mixed db 9\n", + "{'c5d1c78e-15c7-4b58-81d7-e1e3ee4d6f09': {'query': 'What significance does the term \"substantially\" hold in the context of the competitive process as discussed in Stirling Harbour Services Pty Ltd v Bunbury Port Authority?', 'case_id': 'Case23926'}, 'b6b5286a-6cc9-4e99-a387-416f7e02d025': {'query': 'What specific evaluation criteria did French J use in Stirling Harbour Services Pty Ltd v Bunbury Port Authority to determine whether a purpose or conduct deserves the intervention of the Court regarding competition?', 'case_id': 'Case23926'}, '9dced33c-3e68-41d3-92c2-8df44e76b8ef': {'query': 'What is the implication of the term \"substantial\" in the context of judicial intervention for anti-competitive conduct as discussed in Tillmanns Butcheries Pty Ltd v Australasian Meat Industry Employees\\' Union?', 'case_id': 'Case23926'}, '419db006-b882-409d-aa45-1c9bec0c95cc': {'query': \"What was the basis for Ms Wills' assertion of a legitimate expectation in the context of her employment situation?\", 'case_id': 'Case19733'}, '0018ba40-68b7-4396-b928-be9db9b28f09': {'query': 'What specific behaviour was criticized by the learned Magistrate in the case involving Mr. Hibberd, as mentioned in the context of the AWA duress allegations?', 'case_id': 'Case19733'}, '02c918ba-32ab-46f1-8b29-579753032bbf': {'query': 'What legal principle regarding the evidence of a particular fact was established in Australian Broadcasting Tribunal v Bond [1990] HCA 33?', 'case_id': 'Case18491'}, '2ca8baf4-d86b-4ebb-9083-746e23fe91f5': {'query': \"What were the two specific grounds on appeal that the appellant argued concerning the tribunal's jurisdictional error in the case?\", 'case_id': 'Case17943'}, '528ff378-2e97-498f-8ac9-361226618498': {'query': 'What were the specific claims made by the appellant in his statutory declaration that were accepted as facts by the tribunal?', 'case_id': 'Case17943'}, '51545b6b-fe89-441c-af85-2331c4b9ad19': {'query': \"What actions did the appellant take between July to October 2003 to seek redress for his friend's situation following the accident involving the unlicensed driver?\", 'case_id': 'Case17943'}, 'aa5b25a7-184b-472d-9479-3f0643010c7d': {'query': 'What was the response of the local and provincial governments to the petition gathered by the appellant and self-employed drivers?', 'case_id': 'Case17943'}, '689f16aa-edbe-4c54-a764-9b8d5ac97954': {'query': 'What was the outcome of the case titled \"Appellant S395/2002 v Minister for Immigration and Multicultural Affairs [2003] HCA 71\"?', 'case_id': 'Case17943'}, 'a332bbb2-e866-491e-9c25-70394362d650': {'query': 'What specific claims did the appellant make regarding their persecution that were assessed by the tribunal in the case of NABD of 2002 v Minister for Immigration and Multicultural and Indigenous Affairs?', 'case_id': 'Case17943'}, '748df98a-ca5e-4edf-a7e5-69dbec926fa6': {'query': \"What jurisdictional error did the majority of the High Court identify in the tribunal's conclusion regarding the applicants' ability to avoid harm by acting discreetly in Bangladesh?\", 'case_id': 'Case17943'}, '81e4f228-b1fa-4e05-b2f1-99476a332ee4': {'query': \"What specific error in legal reasoning did the tribunal commit regarding the assessment of the appellants' fear of persecution in the case of Appellant S395/2002 v Minister for Immigration and Multicultural Affairs?\", 'case_id': 'Case17943'}, '88a41a3e-a575-4679-bf32-5ae3ae67926f': {'query': \"What jurisdictional error was identified in the tribunal's reasons regarding the assessment of the applicant's well-founded fear of persecution?\", 'case_id': 'Case17943'}, '3d7f7502-cced-4b60-b6bd-e4757f4ea8cc': {'query': 'What was the outcome of the case titled \"Appellant S395/2002 v Minister for Immigration and Multicultural Affairs [2003] HCA 71 ; (2003) 216 CLR 473\"?', 'case_id': 'Case17943'}, '2aa8046f-b7c3-4d1e-8740-c19c4c301a77': {'query': \"What jurisdictional error did the tribunal commit in relation to the appellant's past political involvement after his release from detention in 2003?\", 'case_id': 'Case17943'}, '8287c6c6-b00d-4c88-9c3a-7cacdbcaa09f': {'query': \"What specific forms of harm did the appellant endure prior to fleeing, as mentioned in the tribunal's findings?\", 'case_id': 'Case17943'}, '4f732934-9bab-4c56-8bd4-927d81481636': {'query': \"What specific factors did the tribunal fail to consider regarding the appellant's loss of interest in pursuing political activity related to seeking justice for his friend?\", 'case_id': 'Case17943'}, '2bae4fb7-037f-468f-898b-f5bcc92d01b9': {'query': \"Why did the tribunal fail to inquire about the appellant's change in interest regarding political activity after facing persecution?\", 'case_id': 'Case17943'}, '21264275-bb44-4aa5-812a-8001beadf6f2': {'query': 'What was the outcome of the case \"Appellant S395/2002 v Minister for Immigration and Multicultural Affairs\"?', 'case_id': 'Case17943'}, '60c6ecf9-bf9a-44b1-a7f6-b78ca9b9000d': {'query': \"What did Gummow and Hayne JJ indicate was a fundamental question that the tribunal failed to address regarding the appellant's fear of persecution?\", 'case_id': 'Case17943'}, '996cc121-1c9c-4beb-a2d4-d7bfe55f53b8': {'query': \"What specific factors did the tribunal fail to consider regarding the appellant's change in interest in seeking justice and the potential for further persecution upon returning to China?\", 'case_id': 'Case17943'}, '51e5769f-8008-4af6-b5a8-3cdaf603eba4': {'query': 'What legal principle regarding refugee status was highlighted by McHugh and Kirby JJ in the case Appellant S395/2002 v Minister for Immigration and Multicultural Affairs?', 'case_id': 'Case17943'}, 'b5502ff1-1d55-4a8f-a1a5-253712577e8c': {'query': \"What specific failures did the tribunal commit in considering the appellant's political activity and fear of persecution upon returning to China?\", 'case_id': 'Case17943'}, '514cc74e-2d29-437f-b591-05a47eb4e662': {'query': 'What was the outcome of the case titled \"Appellant S395/2002 v Minister for Immigration and Multicultural Affairs\"?', 'case_id': 'Case17943'}, 'a0266032-2f08-4a12-a025-d86084b5764c': {'query': \"What was the fundamental question that the tribunal should have addressed regarding the appellant's fear of persecution, as discussed in Appellant S395 216 CLR at 503 [88]?\", 'case_id': 'Case17943'}, 'bc265049-0f31-441e-83d4-b9d52df071e1': {'query': \"What did the tribunal find regarding the appellant's disinterest in expressing political opinions after 2003 and its relation to his past persecution in China?\", 'case_id': 'Case17943'}, '2f0072ff-50d1-475b-941b-dfa24f8e710e': {'query': 'What jurisdictional error did the tribunal commit in the case of Appellant S395/2002 v Minister for Immigration and Multicultural Affairs?', 'case_id': 'Case17943'}, '5872d429-fbd4-4291-944b-7e8621a173f1': {'query': 'What does Section 46(1) of the ROC Act allow a party to do in relation to a determination of the Tribunal?', 'case_id': 'Case6815'}, 'fa9aaffa-484b-4f5c-8ef0-ede022a107e2': {'query': \"What specific jurisdictional error did the applicant claim was made by the Tribunal in relation to the Complaints against the respondents' accounts?\", 'case_id': 'Case6815'}, '6bbed95f-79b3-42a0-a53b-47a5a3d58742': {'query': 'What key argument did the applicant present regarding the characterization of actions taken by the trustee of the fund in the case of Employers First v Tolhurst Capital Ltd?', 'case_id': 'Case6815'}, '88ed5b44-4029-4588-a913-fd98034bd73c': {'query': \"What was the reason for Branson J remitting the matter to the Tribunal for rehearing in the case of Mr Barratt's retirement benefits?\", 'case_id': 'Case6815'}, '06ee7fc9-cda2-4655-b6b0-f5e425e6737d': {'query': 'What was the specific legal issue related to the interpretation of \"s\" in the case Employers First v Tolhurst Capital Ltd [2005] FCA 616?', 'case_id': 'Case6815'}, '2e96a749-6c1a-496d-89d0-988831d402f5': {'query': 'What was the nature of Mr. Barratt\\'s complaint regarding his retirement benefit as discussed in the case \"Employers First v Tolhurst Capital Ltd\"?', 'case_id': 'Case6815'}, '3df80765-0287-4e3a-8ade-90792dc40674': {'query': \"What specific distinction did the applicant make between Mr. Barratt's complaint and the complaints of the respondents in the case of Employers First v Tolhurst Capital Ltd?\", 'case_id': 'Case6815'}, 'eb2c7215-c43f-4d2e-81a7-474bbbc9ca2a': {'query': \"What specific decision made by the applicant regarding the respondents' benefits is being challenged in the case of Employers First v Tolhurst Capital Ltd?\", 'case_id': 'Case6815'}, '0f4d1191-e775-4c0b-a486-64e8a9dd3bcc': {'query': \"What was the significance of Branson J's conclusions regarding jurisdiction in the case of Employers First v Tolhurst Capital Ltd?\", 'case_id': 'Case6815'}, '7157243c-755b-459f-9b59-0a3d65ad96e6': {'query': 'What was the case outcome of \"Employers First v Tolhurst Capital Ltd [2005] FCA 616; (2005) 143 FCR 356\"?', 'case_id': 'Case6815'}, '382c44e2-7606-4297-8799-317b6d3ad5fd': {'query': \"What legal interpretation did the Tribunal make regarding the term 'interest' in clause C.4.10 of the Deed in the case of Employers First v Tolhurst Capital Ltd?\", 'case_id': 'Case6815'}, 'ae74561d-a1db-4e13-ba4b-73bc611e1bbc': {'query': \"What were the key factors discussed in the judgment of McMurdo P regarding the Applicant's appeal against conviction in R v Martens [2007] QCA 137?\", 'case_id': 'Case8378'}, '5e12cb02-c018-432a-bdac-61c110d8bb64': {'query': \"What specific evidence did the Applicant present to challenge the complainant's credibility regarding their flights to Port Moresby?\", 'case_id': 'Case8378'}, '8454f0bc-058d-42f2-9c45-f626fc85e3c2': {'query': \"What date was the complainant's passport issued in the case R v Martens [2007] QCA 137?\", 'case_id': 'Case8378'}, '58b98cd0-1990-403e-bdbe-97d8aa634b31': {'query': \"What were the specific findings of fact that the Tribunal failed to include in its reasons regarding Mr. Homewood's financial situation?\", 'case_id': 'Case417'}, '5e19a1c0-2193-417e-ba5a-53f7cef5ab28': {'query': 'What was the date of the accident in the case of Minister for Immigration and Multicultural Affairs v Yusuf?', 'case_id': 'Case417'}, '81ec3e81-4008-45ae-ada5-783fbabbc83d': {'query': 'What specific points did Justice Gleeson and Justice Gaudron make regarding the kind of failure discussed in the case of Minister for Immigration and Multicultural Affairs v Yusuf?', 'case_id': 'Case417'}, '490d3bf9-a7b3-46bf-b154-c2b294464c8c': {'query': 'What section of the Act specifies the power to issue a Part A competition notice, as referenced in the case Evans v Minister for Immigration & Multicultural & Indigenous Affairs?', 'case_id': 'Case22529'}, '92a327ce-393d-4689-95de-32be4281a748': {'query': 'What specific paragraphs is the Commission seeking to sever from the Competition Notice in the context of the case discussed?', 'case_id': 'Case22529'}, '46dfcc53-4d0b-437e-abdf-0350a00290da': {'query': 'What did the Commission submit regarding the severance of the offending parts of the Consultation Notice in the case of Evans v Minister for Immigration & Multicultural & Indigenous Affairs?', 'case_id': 'Case22529'}, '87e2bec9-8697-44c4-8898-d854a00b1802': {'query': \"What did the High Court establish regarding the Federal Court's original jurisdiction in relation to legal professional privilege in the case of Daniels Corporation International Pty Ltd v Australian Competition and Consumer Commission?\", 'case_id': 'Case20983'}, '8e23d917-71f5-4436-a01c-ac733a8d17b7': {'query': 'What is the significance of legal professional privilege as outlined in the case Daniels Corporations International Pty Ltd v Australian Competition and Consumer Commission?', 'case_id': 'Case20983'}, 'c7a9b7e7-35ca-44ac-9f2a-2bfb2541826c': {'query': 'What legal test for professional privilege was adopted by the Court in the case of Daniels Corporations International Pty Ltd v Australian Competition and Consumer Commission?', 'case_id': 'Case20983'}, '877240a4-7e72-4cc4-b811-409f10da772b': {'query': 'What was the significance of the decision in Baker v Campbell regarding legal professional privilege in the context of the case Daniels Corporations International Pty Ltd v Australian Competition and Consumer Commission?', 'case_id': 'Case20983'}, 'a9388271-2278-4a78-bdca-494302624c17': {'query': \"What was the outcome of the case titled 'Daniels Corporations International Pty Ltd v Australian Competition and Consumer Commission [2002] HCA 49 ; (2002) 213 CLR 543'?\", 'case_id': 'Case20983'}, 'b1b03d8b-96d3-4f7a-86da-59d48e3cfaf7': {'query': 'How does the interpretation of s 2(3A) in the RCA affect the legal professional privilege as discussed in Daniels Corporations International Pty Ltd v Australian Competition and Consumer Commission?', 'case_id': 'Case20983'}, 'df4cae94-5902-4c82-a0c0-d1271082efa4': {'query': 'What does section 3(5) preserve in relation to legal professional privilege as discussed in the case of Daniels Corporations International Pty Ltd v Australian Competition and Consumer Commission?', 'case_id': 'Case20983'}, 'ccacad15-7bd0-462f-97b2-3bca562fe759': {'query': \"What was the High Court's stance on whether section 155 of the TPA conferred a power that abrogated legal professional privilege in Daniels Corporations International Pty Ltd v Australian Competition and Consumer Commission?\", 'case_id': 'Case20983'}, '5cc114be-0dcd-474e-a1b9-cf7a4b7ee4ca': {'query': 'What was the primary legal question the High Court sought to clarify regarding section 155(1) in the case of Daniels Corporations International Pty Ltd v Australian Competition and Consumer Commission?', 'case_id': 'Case20983'}, '073bc03a-6f76-4475-9145-f346d6bdd75b': {'query': 'What was the outcome of the case \"Daniels Corporations International Pty Ltd v Australian Competition and Consumer Commission [2002] HCA 49 ; (2002) 213 CLR 543\"?', 'case_id': 'Case20983'}, '57909fc8-85bc-4440-aba1-17b3e52fa3bd': {'query': 'What specific statutory scheme was the High Court considering in the case of Daniels Corporations International Pty Ltd v Australian Competition and Consumer Commission?', 'case_id': 'Case20983'}, '725c8d23-55c3-4f0a-813f-df5bd1476ea6': {'query': 'What does the term \\'reasonable excuse\\' specifically refer to in the context of a person served with a notice under s 2(3A) according to the case \"Daniels Corporations International Pty Ltd v Australian Competition and Consumer Commission\"?', 'case_id': 'Case20983'}, '1317dd78-f410-4372-ab82-e2c6f2a15f6b': {'query': \"How did the High Court's decision in Daniels influence the interpretation of 'reasonable excuse' in section 3(5) regarding legal professional privilege?\", 'case_id': 'Case20983'}, '05dc0aa6-eda8-41bc-b308-3d8774c76176': {'query': 'What specific elements of liability are established under s 3(4) and how do they differ from those in s 3(2A) as discussed in the case of Daniels Corporations International Pty Ltd v Australian Competition and Consumer Commission?', 'case_id': 'Case20983'}, 'af38100c-795e-4c09-9d3e-a146996c5517': {'query': 'What legal principle established in Baker and Daniels pertains to the production of legally privileged documents in the context of the RCA, as discussed in the case of Daniels Corporations International Pty Ltd v Australian Competition and Consumer Commission?', 'case_id': 'Case20983'}, '948cfe89-de25-4d5e-88e9-8262b803cbb2': {'query': 'What principle is supported by section 3(5) in relation to section 2(3A) regarding notices under the context of legal professional privilege in the case of Daniels Corporations International Pty Ltd v Australian Competition and Consumer Commission?', 'case_id': 'Case20983'}, '4ceee868-336a-4ad5-a585-6eb7a2a3e96f': {'query': \"How does the principle in Baker and Daniels affect the Commissioner's powers under section 6F in relation to documents that are subject to legal professional privilege?\", 'case_id': 'Case20983'}, 'a95b1d50-bbb0-4a04-a7e6-48da8e615712': {'query': 'What legal principle did the court reference regarding the obligation to produce documents under s 2(3A) in the case of Daniels Corporations International Pty Ltd v Australian Competition and Consumer Commission?', 'case_id': 'Case20983'}, '6d9efaf6-ca9f-4f47-b93b-5ac71d37e212': {'query': 'What was the case outcome of Daniels Corporations International Pty Ltd v Australian Competition and Consumer Commission [2002] HCA 49?', 'case_id': 'Case20983'}, 'f2225d64-4367-4785-99c9-35780f41dbac': {'query': \"What did the court conclude regarding the Commissioner's authority to inspect documents produced under a s 2(3A) notice in the case of Daniels Corporations International Pty Ltd v Australian Competition and Consumer Commission?\", 'case_id': 'Case20983'}, '8f119ed8-5995-46e1-9560-9b7062f5e984': {'query': 'What conclusion did Stone J reach regarding the rationale supporting legal professional privilege in the case of Daniels Corporations International Pty Ltd v Australian Competition and Consumer Commission?', 'case_id': 'Case20983'}, '72273a45-ccf0-4345-8403-8b2b84086067': {'query': 'What rationale did his Honour find for recognizing legal professional privilege as a unified doctrine in Daniels Corporations International Pty Ltd v Australian Competition and Consumer Commission?', 'case_id': 'Case20983'}, 'a4d162d4-2cf3-4115-a26b-3230761e9c46': {'query': 'What specific legal principle regarding litigation privilege was addressed by the High Court in the case of Daniels Corporations International Pty Ltd v Australian Competition and Consumer Commission?', 'case_id': 'Case20983'}, '424e6df0-c60c-4950-a7cd-71628dfba8dd': {'query': 'What was the outcome of the case Daniels Corporations International Pty Ltd v Australian Competition and Consumer Commission?', 'case_id': 'Case20983'}, '64fedb81-50c5-453e-9088-25a0c2aee3c2': {'query': \"What was the primary legal issue regarding the Commonwealth's authority to inspect documents claimed to be protected by legal professional privilege in the case of Daniels Corporations International Pty Ltd v Australian Competition and Consumer Commission?\", 'case_id': 'Case20983'}, '160313be-e553-4980-9415-609a828a4bad': {'query': 'What is the significance of the rulings in Hanover Shoe, Inc. v United Machinery Corp and Illinois Brick Company v Illinois regarding the standing of indirect purchasers in federal anti-trust law?', 'case_id': 'Case20814'}, '9239ff17-2da4-47b0-802b-7274ebf7c061': {'query': 'What was the outcome of the case Hanover Shoe, Inc. v United Machinery Corp as indicated in the context?', 'case_id': 'Case20814'}, 'f0421f7a-68ce-4276-9f4f-d769ab5e2197': {'query': \"What significant actions did Ms. Hemming take following Wilcox J's orders on 22 March 2005 in the case of Universal Music Australia Pty Ltd v Sharman License Holdings Ltd?\", 'case_id': 'Case14373'}, '406fff46-fe0d-465d-8bfc-d9bfa4123ff6': {'query': \"What was the outcome of the appeal sought by Sharman License and Sharman Networks regarding Wilcox J's orders from March 22, 2005?\", 'case_id': 'Case14373'}, '3fdf3a6d-e75c-4f0d-a9d0-ba61a9e8c70e': {'query': \"What specific reasons did the Refugee Review Tribunal provide for rejecting the appellant's claims regarding her own actions in relation to her husband's imprisonment?\", 'case_id': 'Case10365'}, 'd5fabaf1-bc53-4295-892e-d30ac6bc181d': {'query': \"What was the basis for the Tribunal's conclusion that the appellant was not credible in the context of their claims regarding the distribution of petitions and organizing protests for Ms L?\", 'case_id': 'Case10365'}, '4e472bbf-84a8-4ae2-8cd2-48a22cd046f8': {'query': 'What specific provisions related to break fees were discussed in the case of Re APN News & Media Ltd as mentioned in the context?', 'case_id': 'Case7337'}, '2c2ad8bf-63a5-4d45-9172-6a72bb6c6979': {'query': 'What allegations were made regarding the breach of duties by the directors in the case involving the merger implementation agreement?', 'case_id': 'Case7337'}, '18526d12-3bd8-4292-8d88-8c41b64b4cf0': {'query': \"What did the Court of Chancery conclude regarding the size of the termination fee in the case involving Bell Atlantic's stockholders?\", 'case_id': 'Case7337'}, '01e35e9a-7670-44cf-8658-5ef763ae7e79': {'query': 'What is the significance of the test for stockholder coercion as articulated in Williams v Geier in relation to the case Idameneo (No 123) Pty Ltd v Symbion Health Limited?', 'case_id': 'Case7337'}, 'df4b2718-f5a1-4e3e-9125-12dbabc22f51': {'query': 'What distinction does the ABC make between documents related to its program material and those related to its administrative function in their argument?', 'case_id': 'Case3659'}, 'b96eef32-e3b2-4893-a46d-adf1f91e261f': {'query': 'What was the case outcome of Fountain v Alexander [1982] HCA 16; (1982) 150 CLR 615?', 'case_id': 'Case3659'}, '5c263a36-748a-48ef-883c-ca65f3fa7ed0': {'query': 'What is the primary legal principle established in the case of Prasad v Minister for Immigration & Ethnic Affairs regarding the duties of a decision-maker in immigration matters?', 'case_id': 'Case22394'}, 'cb51d5c1-885c-4884-a902-874b5658796f': {'query': \"What was the significance of the material being available to the respondents since 30 May 2006 in the case of Hurley v McDonald's Australia Ltd?\", 'case_id': 'Case14738'}, '19a69c21-3882-4651-abec-56b66d2e5414': {'query': \"What concerns did the respondents express regarding the late amendment in the proceedings related to the case cited from Hurley v McDonald's Australia Ltd?\", 'case_id': 'Case14738'}, 'c3179fce-ac78-42bb-9f85-aea9f5ac9f5f': {'query': 'What specific circumstances allow for the discretion of the Tribunal to make orders as to costs under subsection (8) of section 67 of the Safety, Rehabilitation and Compensation Act 1988 (Cth)?', 'case_id': 'Case18143'}, 'e3d1290f-bf19-4479-8bae-17560f0b94ff': {'query': 'What considerations did Greenwood J outline regarding the discretion of the Administrative Appeals Tribunal in costs orders in Perry v Comcare?', 'case_id': 'Case18143'}, '8d75a57d-4d51-48d0-afc6-45fc5c7e125f': {'query': \"What was the nature of the decision made by Senior Member Allen in the case of Perry v Comcare, and how did it affect the applicant's situation regarding the temporary exacerbation of cervical spondylosis symptoms?\", 'case_id': 'Case18143'}, '06e39da2-c542-4c42-b9cd-895f36f11316': {'query': 'What was the date of the \"Calderbank\" offer of settlement referenced by the Senior Member in the case?', 'case_id': 'Case18143'}, 'ae2f38db-e912-4be1-b019-ea81870a3c16': {'query': 'What was the outcome of the case Perry v Comcare [2006] FCA 33?', 'case_id': 'Case18143'}, '23383572-9fd2-4ab4-83d9-e08e9d85d0af': {'query': 'What was the key reason the Senior Member determined that the Calderbank offer in the case could not be confirmed by the Tribunal?', 'case_id': 'Case18143'}, 'b086800a-59b5-44c8-a377-ccc57af90980': {'query': 'What error did the Tribunal commit in the exercise of its discretion, as discussed in the context of Perry v Comcare [2006] FCA 33?', 'case_id': 'Case18143'}, 'fc0a2c54-4c88-42a0-8b30-f479b13f48e9': {'query': 'What factors did the Tribunal consider in determining whether the applicant acted reasonably in the case of Perry v Comcare?', 'case_id': 'Case18143'}, '9ddfbb3e-169b-47a1-aa16-98e8ee2637b5': {'query': 'What was the conclusion regarding the error of law by the Senior Member in the case of Perry v Comcare [2006]?', 'case_id': 'Case18143'}, 'a8222427-807f-4623-b2da-123005a4ec0c': {'query': 'How does Section 190F(6) of the Native Title Act differ from the provisions in Section 84C regarding summary dismissal?', 'case_id': 'Case2892'}, 'ff3b4e29-ad2f-4f3b-98cf-2762d24ef335': {'query': 'What conditions precedent must be fulfilled according to section 190F(5) of the Native Title Act in order to engage the power of dismissal outlined in section 190F(6)?', 'case_id': 'Case2892'}, 'a57d247b-aa62-4e22-a468-ac4c59cea227': {'query': \"What principle did the Federal Magistrate use to evaluate the Tribunal's conclusion in the case mentioned in the context?\", 'case_id': 'Case2956'}, 'b0bfa42a-1cea-43a1-8365-9ee9725f7317': {'query': 'What factors did the Tribunal consider when deciding whether the applicants could safely relocate within Bulgaria to avoid the feared persecution?', 'case_id': 'Case2956'}, '24f29c9c-87e7-4e0f-89f8-f7d3c0b9ddda': {'query': 'What grounds did the appellants in SZATV v Minister for Immigration and Citizenship base their appeal on?', 'case_id': 'Case2956'}, 'b2dfc64d-cfb4-4afe-a5b9-b87415108616': {'query': 'What was the amount the appellants were ordered to pay to the first respondent in the case SZATV v Minister for Immigration and Citizenship?', 'case_id': 'Case2956'}, '0c5d1573-2d79-47ea-889a-4a8f570793b6': {'query': \"What principles established in Hill v Evans are crucial for determining the novelty of an invention according to the case outcome of Smithkline Beecham plc's (paroxetine methanesulfonate) patent?\", 'case_id': 'Case7921'}, 'e2b79bdd-bc54-4f45-b3a7-8fae131d0d6c': {'query': \"What prior publication or patent aspect referenced in the case text indicates a lack of novelty in Smithkline Beecham plc's patent claims?\", 'case_id': 'Case7921'}, '9b4ea4ab-0b91-4843-a3fb-373606a8fd18': {'query': \"What was the primary reason for the House of Lords to reinstate the trial judge's conclusion that the patent for paroxetine methanesulfonate was not valid?\", 'case_id': 'Case7921'}, '5e9b55f7-b7da-41f1-bc48-477bf95ed392': {'query': \"What specific requirement distinguishes novelty from obviousness in the context of the patent for Smithkline Beecham plc's invention?\", 'case_id': 'Case7921'}, 'ea112387-cc40-4d0a-8c09-f3c07618426c': {'query': 'What serious issue concerning the conduct of the trustee was raised by the evidence of Mrs Maxwell-Smith in the context of her travel permission?', 'case_id': 'Case15666'}, 'e91e910a-3e06-44df-86f0-20ccdbb12500': {'query': 'Why was Mrs. Maxwell-Smith excluded from the ship despite her being on a Portwatch list maintained by the Australian Federal Police?', 'case_id': 'Case15666'}, 'f4ab34c0-cea4-45b0-9a2c-a80b3003ad47': {'query': 'What specific reason led the trustee to require the bankrupt to surrender his passport following the sequestration order in the case \"Re Tyndall Ex parte Official Receiver (1977) 17 ALR 182\"?', 'case_id': 'Case15666'}, 'a7697567-e8e8-4382-8cac-df55cdd68e9c': {'query': \"What specific considerations did Mrs. Maxwell-Smith present in her affidavit that are relevant to the trustee's refusal to grant her permission to travel?\", 'case_id': 'Case15666'}, 'b46015fe-ff6e-4518-8871-af76e2756279': {'query': 'What was the case outcome of \"Re Tyndall Ex parte Official Receiver (1977) 17 ALR 182\" as per the High Court?', 'case_id': 'Case15666'}, 'a6671694-c827-4c4d-9ddc-e60f13fdb400': {'query': \"What specific material consideration did Wilcox J fail to take into account regarding Mrs Maxwell-Smith's request to travel, according to the context provided?\", 'case_id': 'Case15666'}, '0d5672ee-31f5-4958-a4aa-1ef0ec30c9f8': {'query': \"What specific circumstances led to the inquiry regarding the trustee's refusal of Mrs. Maxwell-Smith's travel permission on or about 20 May 2005?\", 'case_id': 'Case15666'}, 'a3b768ea-377b-4f00-8bf1-8e95e60fed32': {'query': 'What condition was Mrs. Gallucci suffering from that led to her being under medical treatment with steroids?', 'case_id': 'Case15666'}, 'b7cf3493-3348-48c6-83f5-2a255fede712': {'query': \"What reasons did Mr Brennan provide for claiming that Mr Donnelly's discretion in handling the case of Mrs Maxwell-Smith miscarried?\", 'case_id': 'Case15666'}, '0eeb5e4e-5e6e-4fa5-9ad7-de20d92c665e': {'query': 'What document was involved in the case titled \"Re Tyndall Ex parte Official Receiver (1977) 17 ALR 182\"?', 'case_id': 'Case15666'}, '89360c9c-892f-451c-9d61-491e9097515d': {'query': 'What specific restrictions does the Commonwealth bankruptcy legislation impose on a bankrupt regarding overseas travel?', 'case_id': 'Case15666'}, 'e7823420-5662-4748-9309-6b06406eb60a': {'query': 'Why was the request for the bankrupt to travel overseas denied in the case of \"Re Tyndall Ex parte Official Receiver\"?', 'case_id': 'Case15666'}, '3fa437d0-2a97-47cd-8521-767f62449282': {'query': \"What circumstances led Mr. Donnelly to consider a conversation with a Federal Police Officer regarding Mrs. Maxwell-Smith's ability to travel?\", 'case_id': 'Case15666'}, '46d6cb68-3beb-4298-b2b3-106b5bf35f6b': {'query': 'What irregularities in the behavior of the Maxwell-Smiths influenced Mr. Donnelly\\'s decision regarding Mrs. Maxwell-Smith\\'s travel request in the case \"Re Tyndall Ex parte Official Receiver\"?', 'case_id': 'Case15666'}, 'f5672b76-a1a6-41ac-b695-52f4ce933d84': {'query': 'What was the main legal consideration in the case \"Re Tyndall Ex parte Official Receiver (1977) 17 ALR 182\"?', 'case_id': 'Case15666'}, '97d7ba9a-8cfb-4bc6-bce1-1001c6849843': {'query': \"What irregular circumstances led to Mrs. Maxwell-Smith's failure to deliver her passport as discussed in the case of Re Tyndall Ex parte Official Receiver?\", 'case_id': 'Case15666'}, 'f3e9ef5e-bc78-490b-8951-75dcc27f21cb': {'query': 'What reasons did Mrs Maxwell-Smith provide for her intention to leave her country, and how did this impact Mr Donnelly’s decision-making?', 'case_id': 'Case15666'}, '6ecfb77d-89cc-467a-a773-5cc61d604337': {'query': 'What role did Mr. Donnelly play in the events of 20 May 2004 as discussed in the case Re Tyndall Ex parte Official Receiver?', 'case_id': 'Case15666'}, '894ebe8f-73a0-4419-a970-b6e8facc68dc': {'query': 'What specific legal aspect regarding travel is addressed in the case \"Re Tyndall Ex parte Official Receiver (1977) 17 ALR 182\"?', 'case_id': 'Case15666'}, '109561fb-0195-437c-bf93-68f4e59d015e': {'query': \"What key distinction did French J highlight in regards to procedural fairness in the context of the Tribunal's findings about the reliability of documents, as referenced in the case of Re Minister for Immigration and Multicultural Affairs; Ex parte Applicant S20/2002?\", 'case_id': 'Case23384'}, '15ae1a5d-63c2-4c58-9a66-15ff13c8ec37': {'query': 'What criteria did the Tribunal fail to apply correctly in the case of Cadman v Secretary, Department of Social Security?', 'case_id': 'Case10783'}, '954c4480-42bb-46af-b04f-8e3a2d4c1054': {'query': 'How did the amendments made by the Social Security (No Budget Measures) Legislation Amendment Act 1995 change the criteria for determining a \"marriage-like relationship\"?', 'case_id': 'Case10783'}, '5b06f771-1000-4ab9-9bee-b35736a1fd33': {'query': 'What are the criteria for determining the existence of a marriage-like relationship under section 11A of the Veterans Entitlements Act 1986 (Cth)?', 'case_id': 'Case10783'}, 'b7ff26a0-8456-4539-ac83-4bb9d598d1d5': {'query': \"What was the central legal issue concerning the appellant's failure to raise a specific argument in the Tribunal in the case of Kuswardana v Minister for Immigration & Ethnic Affairs?\", 'case_id': 'Case20949'}, 'b952101e-b0dd-4ece-8c3d-d4145c6943b5': {'query': \"What did the letter from Reynolds Lawyers dated 11 March 2002 indicate about the bank's stance on the variations to the Deed of Release executed by the Smolles?\", 'case_id': 'Case2922'}, 'aaeeccd6-328e-4570-934d-f6bf5b41811b': {'query': \"What order was rendered regarding the claim against the bank in the context of the Smolles' case?\", 'case_id': 'Case2922'}, '7e9f6dcf-2894-4409-8025-9cd0aa393550': {'query': 'What must the Smolles demonstrate in order to succeed against their former solicitors in their claims?', 'case_id': 'Case2922'}, '661a4b62-8210-45fb-9432-24d974c40e0f': {'query': 'What did Sackville J emphasize about the interpretation of section 33ZF in the case of Courtney v Medtel Pty Ltd?', 'case_id': 'Case8456'}, '9e2f9d7b-cd06-4955-a1f1-88c2b71019d0': {'query': 'What damages did Mr. Van Efferen seek in relation to the termination of his employment contract under the Dolphin Project?', 'case_id': 'Case14319'}, 'cec33997-7b26-42f6-894a-ad50d4cace24': {'query': \"What was the legal basis for the trial judge's decision to award damages to the applicant in Martin v Tasmania Development and Resources?\", 'case_id': 'Case14319'}, '8f7bc9bf-f739-4ef4-8097-8b78c1a7801f': {'query': 'What specific obligations did CMA have under clause 2.10 of the AWA regarding acting in good faith, as referenced in the context?', 'case_id': 'Case14319'}, '53ccd7cd-75be-41b5-be9f-c43a2b4ec855': {'query': 'What was the date of the hearing in the case titled \"Martin v Tasmania Development and Resources\"?', 'case_id': 'Case14319'}, 'b1e4ef43-59f1-4377-861f-c51e81fa4f04': {'query': \"What specific grounds did CEMEX provide for challenging the Panel's orders related to section 657D?\", 'case_id': 'Case15312'}, 'a3718ab6-34a3-4559-b27d-eed968461f57': {'query': \"What were the three issues raised regarding the Panel's power to order CEMEX to compensate Affected Shareholders, as mentioned in the context provided?\", 'case_id': 'Case15312'}, '4fe66107-5fc3-4516-b07b-c44bd2305176': {'query': \"What evidence was lacking that prevented the Panel from determining whether Rinker shareholders suffered financial loss due to CEMEX's conduct?\", 'case_id': 'Case15312'}, '90519365-dd00-4510-acde-47f14e669ffb': {'query': \"What specific mechanism did orders 14-16 establish for determining whether a shareholder is classified as an Affected Shareholder according to CEMEX's argument?\", 'case_id': 'Case15312'}, '77daba85-c076-4d92-a980-3d6d387c9800': {'query': 'What specific obligations did Associated Provincial Picture Houses Limited have to fulfill in relation to ASIC, as mentioned in the case?', 'case_id': 'Case15312'}, 'efde1892-4812-4583-8ed7-3c24961a5331': {'query': 'What are the specific reasons that CEMEX must provide to ASIC when referring a claim form under Order 14?', 'case_id': 'Case15312'}, '229c4e47-5ce6-46e8-a659-3fa73de0edb5': {'query': 'What specific power does ASIC have regarding the determination process related to claims involving Rinker shares as outlined in the context?', 'case_id': 'Case15312'}, '6c1092e1-16ec-4534-a8f7-7cf8353e3600': {'query': 'What specific reasoning did Lockhart J provide in the case of Right to Life Association (NSW) Inc v Secretary, Department of Human Services and Health regarding the standing of the applicant?', 'case_id': 'Case18821'}, '18eaf127-a492-4dc8-badf-10a08c7bc0e4': {'query': 'What issue did the court highlight regarding the standing of incorporated associations in the case of Right To Life Association (NSW) Inc v Secretary, Department of Human Services and Health?', 'case_id': 'Case18821'}, '78b13f4d-92ce-48d4-a3b0-182a6498ece3': {'query': 'What specific reasons did the Court provide for determining whether the Right To Life Association (NSW) Inc had standing as a \"person aggrieved\" in the case against the Secretary, Department of Human Services and Health?', 'case_id': 'Case18821'}, '44c0656d-c6e9-4ade-b2c3-5dff6b1e696f': {'query': 'What difficulties identified by Hill J in his decision regarding the application of s 99B are the taxpayers concerned about?', 'case_id': 'Case23302'}, '5c2385b6-a965-4aef-84dd-45b5cab9bf30': {'query': 'What was the significant conclusion reached by His Honour regarding the appropriate construction of s 99B in the case of Traknew Holdings Pty Ltd v Federal Commissioner of Taxation?', 'case_id': 'Case23302'}, '8b9908ae-4b75-4f22-81d6-7b8b50527004': {'query': 'What was the total amount distributed by Cherrybrook to Nommack Nominees as trustee in the 1995 year?', 'case_id': 'Case23302'}, '542a2962-2ff9-4c50-9946-65ec2e80bead': {'query': 'How should the income be treated according to the ruling in Traknew Holdings Pty Ltd v Federal Commissioner of Taxation regarding personal expenses?', 'case_id': 'Case23302'}, '3cbad39d-e5ef-4629-ac22-3ed7e4f38e7e': {'query': \"What implications did the High Court's decision in the Native Title Act Case have on the freehold grants in the Cable Beach area held by the Aboriginal and Torres Strait Islander Commission?\", 'case_id': 'Case12720'}, '1aeeb6a0-7f8f-4a25-9d8a-9100f074085d': {'query': 'What concern did the judge express regarding the notice given to freehold grantees or purchasers about the validity of their freehold grants in relation to native title?', 'case_id': 'Case12720'}, '3128438f-8146-44f8-a872-265a17388c85': {'query': \"What issue arose from the State's 140 freehold grants in relation to the Yawuru claim area?\", 'case_id': 'Case12720'}, 'a4939658-289a-4817-92cc-ae4c9b64d353': {'query': 'What specific area in the State of Western Australia does the application mentioned in paragraph A6 claim to cover?', 'case_id': 'Case12720'}, '6692052b-3c6e-4556-8f8a-c4ce96bd8d79': {'query': \"What was the outcome of the Delaware Court of Chancery's decision regarding the 3 percent break fee in the case of HF Ahmanson & Co v Great Western Financial Corp?\", 'case_id': 'Case7334'}, '314b8afc-5e8d-4958-b006-398ed006b7ed': {'query': 'What specific fiduciary duties were involved in the case of Emerson Radio Corp v International Jensen Inc?', 'case_id': 'Case7334'}, '2a179cbe-b23c-4332-b7c3-9fb2f8154135': {'query': 'What does the court state about the proper measure of value for the Cambridge debentures in the case of Gregory v Federal Commissioner of Taxation?', 'case_id': 'Case15558'}, 'b876270a-dfca-4659-b257-e4f2f6b854fa': {'query': 'What is the significance of estimating exchange value in cases where there is no regular market for a product, as referenced in Gregory v Federal Commissioner of Taxation?', 'case_id': 'Case15558'}, 'ec91e6f1-f518-4abb-bd05-c6ce70c90ea6': {'query': 'What did the Chief Justice observe regarding the requirement for a decision to be considered a decision of an administrative character under the AD(JR) Act in relation to statutory authority?', 'case_id': 'Case17556'}, '9442748e-2f4f-4dee-b488-e65afbe31d8b': {'query': 'What procedural obligation is imposed on the applicants in the appeal proceedings according to O 33 r 12 of the FCRs?', 'case_id': 'Case17556'}}\n", + "Generated mixed qs 9\n", + "0.5426829268292683 0.774390243902439\n", + "Filled cited db 9\n", + "Generated cited qs 9\n", + "[0.6923076923076923, 0.6386554621848739, 0.6666666666666666, 0.62, 0.5882352941176471, 0.6851851851851852, 0.7321428571428571, 0.6929824561403509, 0.7070707070707071, 0.6014492753623188] [0.5316455696202531, 0.3287671232876712, 0.6397058823529411, 0.5347222222222222, 0.6475409836065574, 0.5602836879432624, 0.6015625, 0.6204379562043796, 0.5447761194029851, 0.5426829268292683]\n", + "Cited Database Mean Top-1 Accuracy: 0.6625\n", + "Mixed Database Mean Top-1 Accuracy: 0.5552\n", + "T-Statistic: 3.2941, P-Value: 5.4815e-03\n", + "The difference in accuracy is statistically significant.\n", + "Cited Database Mean Top-k Accuracy: 0.8404\n", + "Mixed Database Mean Top-k Accuracy: 0.7542\n", + "T-Statistic: 2.1845, P-Value: 5.0596e-02\n", + "The difference in accuracy is NOT statistically significant.\n" + ] + } + ], + "source": [ + "res = run_statistical_analysis()\n", + "\n" + ] + } + ], + "metadata": { + "kernelspec": { + "display_name": ".venv", + "language": "python", + "name": "python3" + }, + "language_info": { + "codemirror_mode": { + "name": "ipython", + "version": 3 + }, + "file_extension": ".py", + "mimetype": "text/x-python", + "name": "python", + "nbconvert_exporter": "python", + "pygments_lexer": "ipython3", + "version": "3.12.1" + } + }, + "nbformat": 4, + "nbformat_minor": 2 +} diff --git a/requirements.txt b/requirements.txt new file mode 100644 index 0000000..a17d9e2 --- /dev/null +++ b/requirements.txt @@ -0,0 +1,190 @@ +aiohappyeyeballs==2.4.4 +aiohttp==3.11.11 +aiosignal==1.3.2 +annotated-types==0.7.0 +anyio==4.7.0 +asgiref==3.8.1 +asttokens==3.0.0 +attrs==24.3.0 +backoff==2.2.1 +bcrypt==4.2.1 +beautifulsoup4==4.12.3 +bs4==0.0.2 +build==1.2.2.post1 +cachetools==5.5.0 +certifi==2024.12.14 +charset-normalizer==3.4.0 +chroma-hnswlib==0.7.6 +chromadb==0.5.23 +click==8.1.8 +colorama==0.4.6 +coloredlogs==15.0.1 +comm==0.2.2 +contourpy==1.3.1 +cycler==0.12.1 +dataclasses-json==0.6.7 +debugpy==1.8.11 +decorator==5.1.1 +Deprecated==1.2.15 +distro==1.9.0 +docstring_parser==0.16 +durationpy==0.9 +executing==2.1.0 +faiss-cpu==1.9.0.post1 +fastapi==0.115.6 +filelock==3.16.1 +flatbuffers==24.12.23 +fonttools==4.55.3 +frozenlist==1.5.0 +fsspec==2024.12.0 +google-api-core==2.24.0 +google-auth==2.37.0 +google-cloud-aiplatform==1.75.0 +google-cloud-bigquery==3.27.0 +google-cloud-core==2.4.1 +google-cloud-resource-manager==1.14.0 +google-cloud-storage==2.19.0 +google-crc32c==1.6.0 +google-resumable-media==2.7.2 +googleapis-common-protos==1.66.0 +greenlet==3.1.1 +grpc-google-iam-v1==0.13.1 +grpcio==1.68.1 +grpcio-status==1.68.1 +h11==0.14.0 +httpcore==1.0.7 +httptools==0.6.4 +httpx==0.27.2 +httpx-sse==0.4.0 +huggingface-hub==0.27.1 +humanfriendly==10.0 +idna==3.10 +imbalanced-learn==0.13.0 +imblearn==0.0 +importlib_metadata==8.5.0 +importlib_resources==6.5.2 +ipykernel==6.29.5 +ipython==8.30.0 +jedi==0.19.2 +Jinja2==3.1.5 +jiter==0.8.2 +joblib==1.4.2 +jsonpatch==1.33 +jsonpointer==3.0.0 +jupyter_client==8.6.3 +jupyter_core==5.7.2 +kiwisolver==1.4.7 +kubernetes==31.0.0 +langchain==0.3.14 +langchain-chroma==0.2.0 +langchain-community==0.3.14 +langchain-core==0.3.29 +langchain-google-vertexai==2.0.9 +langchain-huggingface==0.1.2 +langchain-openai==0.3.0 +langchain-text-splitters==0.3.5 +langgraph==0.2.62 +langgraph-checkpoint==2.0.9 +langgraph-sdk==0.1.51 +langsmith==0.2.4 +markdown-it-py==3.0.0 +MarkupSafe==3.0.2 +marshmallow==3.23.2 +matplotlib==3.10.0 +matplotlib-inline==0.1.7 +mdurl==0.1.2 +mmh3==5.0.1 +monotonic==1.6 +mpmath==1.3.0 +msgpack==1.1.0 +multidict==6.1.0 +mypy-extensions==1.0.0 +nest-asyncio==1.6.0 +networkx==3.4.2 +numpy==1.26.4 +oauthlib==3.2.2 +onnxruntime==1.20.1 +openai==1.58.1 +opentelemetry-api==1.29.0 +opentelemetry-exporter-otlp-proto-common==1.29.0 +opentelemetry-exporter-otlp-proto-grpc==1.29.0 +opentelemetry-instrumentation==0.50b0 +opentelemetry-instrumentation-asgi==0.50b0 +opentelemetry-instrumentation-fastapi==0.50b0 +opentelemetry-proto==1.29.0 +opentelemetry-sdk==1.29.0 +opentelemetry-semantic-conventions==0.50b0 +opentelemetry-util-http==0.50b0 +orjson==3.10.12 +overrides==7.7.0 +packaging==24.2 +pandas==2.2.3 +parso==0.8.4 +pillow==11.0.0 +platformdirs==4.3.6 +posthog==3.8.3 +prompt_toolkit==3.0.48 +propcache==0.2.1 +proto-plus==1.25.0 +protobuf==5.29.2 +psutil==6.1.1 +pure_eval==0.2.3 +pyasn1==0.6.1 +pyasn1_modules==0.4.1 +pydantic==2.9.1 +pydantic-settings==2.7.0 +pydantic_core==2.23.3 +Pygments==2.18.0 +pyparsing==3.2.0 +PyPika==0.48.9 +pyproject_hooks==1.2.0 +pyreadline3==3.5.4 +python-dateutil==2.9.0.post0 +python-dotenv==1.0.1 +pytz==2024.2 +pywin32==308 +PyYAML==6.0.2 +pyzmq==26.2.0 +regex==2024.11.6 +requests==2.32.3 +requests-oauthlib==2.0.0 +requests-toolbelt==1.0.0 +rich==13.9.4 +rsa==4.9 +safetensors==0.5.2 +scikit-learn==1.6.0 +scipy==1.14.1 +sentence-transformers==3.3.1 +setuptools==75.8.0 +shapely==2.0.6 +shellingham==1.5.4 +six==1.17.0 +sklearn-compat==0.1.3 +sniffio==1.3.1 +soupsieve==2.6 +SQLAlchemy==2.0.36 +stack-data==0.6.3 +starlette==0.41.3 +sympy==1.13.1 +tenacity==9.0.0 +threadpoolctl==3.5.0 +tiktoken==0.8.0 +tokenizers==0.21.0 +torch==2.5.1 +tornado==6.4.2 +tqdm==4.67.1 +traitlets==5.14.3 +transformers==4.48.0 +typer==0.15.1 +typing-inspect==0.9.0 +typing_extensions==4.12.2 +tzdata==2024.2 +urllib3==2.2.3 +uvicorn==0.34.0 +watchfiles==1.0.4 +wcwidth==0.2.13 +websocket-client==1.8.0 +websockets==14.1 +wrapt==1.17.2 +yarl==1.18.3 +zipp==3.21.0 -- GitLab