{ "cells": [ { "cell_type": "markdown", "metadata": {}, "source": [ "# NLP-LAB Exercise 01 by jonas weinz\n", "----" ] }, { "cell_type": "code", "execution_count": 1, "metadata": {}, "outputs": [], "source": [ "%matplotlib ipympl\n", "import nltk\n", "import pprint\n", "from sklearn.tree import DecisionTreeClassifier\n", "from sklearn.feature_extraction import DictVectorizer\n", "from sklearn.pipeline import Pipeline" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## implementing own classifiers" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "* writing an own feature funtion" ] }, { "cell_type": "code", "execution_count": 2, "metadata": {}, "outputs": [ { "data": { "text/plain": [ "'\\n return {\\n \\'word\\': word,\\n \\'is_capitalized\\': word[0].upper() == word[0],\\n \\'prefix-1\\': word[0],\\n \\'suffix-1\\': word[-1],\\n \\'prev_word\\': \\'\\' if index == 0 else sentence[index - 1],\\n \\'next_word\\': \\'\\' if index == len(sentence) - 1 else sentence[index + 1],\\n \\'length\\': len(word),\\n \\'index\\' : index,\\n \\'rev_index\\': len(sentence) - index,\\n \\'sentence_length\\': len(sentence)#,\\n \\'relative_third\\': relative_third,\\n \\'is_punctuation_mark\\': is_punctuation_mark,\\n \\',\\': word == \",\",\\n \\'.\\': word == \".\",\\n \\'!\\': word == \"!\",\\n \\'?\\': word == \"?\"\\n }\\n'" ] }, "execution_count": 2, "metadata": {}, "output_type": "execute_result" } ], "source": [ "def features(sentence, index):\n", " word = sentence[index]\n", " is_punctuation_mark = word == \"!\" or word == \".\" or word == \",\" or word == \"?\"\n", " sentence_length = len(sentence)\n", " relative_third = (index * 3) // sentence_length \n", " vowels = word.count('a') + word.count('e') + word.count('i') + word.count('o') + word.count('u')\n", " return {\n", " 'word': word,\n", " 'is_capitalized': sentence[index][0].upper() == sentence[index][0],\n", " 'prefix-1': sentence[index][0],\n", " 'suffix-1': sentence[index][-1],\n", " 'prefix-2': sentence[index][1] if len(word) > 1 else '',\n", " 'suffix-2': sentence[index][-2] if len(word) > 1 else '',\n", " 'prev_word': '' if index == 0 else sentence[index - 1],\n", " 'next_word': '' if index == len(sentence) - 1 else sentence[index + 1],\n", " 'length': len(word),\n", " 'index' : index,\n", " 'rev_index': len(sentence) - index,\n", " 'sentence_length_': len(sentence),\n", " 'relative_third': relative_third,\n", " 'numerical': word.isnumeric(),\n", " 'is_punctuation_mark': is_punctuation_mark,\n", " ',': word == \",\",\n", " '.': word == \".\",\n", " '!': word == \"!\",\n", " '?': word == \"?\",\n", " 'vowels' : vowels\n", " }\n", "'''\n", " return {\n", " 'word': word,\n", " 'is_capitalized': word[0].upper() == word[0],\n", " 'prefix-1': word[0],\n", " 'suffix-1': word[-1],\n", " 'prev_word': '' if index == 0 else sentence[index - 1],\n", " 'next_word': '' if index == len(sentence) - 1 else sentence[index + 1],\n", " 'length': len(word),\n", " 'index' : index,\n", " 'rev_index': len(sentence) - index,\n", " 'sentence_length': len(sentence)#,\n", " 'relative_third': relative_third,\n", " 'is_punctuation_mark': is_punctuation_mark,\n", " ',': word == \",\",\n", " '.': word == \".\",\n", " '!': word == \"!\",\n", " '?': word == \"?\"\n", " }\n", "'''" ] }, { "cell_type": "code", "execution_count": 3, "metadata": {}, "outputs": [], "source": [ "test_sentence = ['The','cake','is','a','lie','!']\n", "#for i in range(len(test_sentence)):\n", "# pprint.pprint(features(test_sentence, i))" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "* function for creating training sets" ] }, { "cell_type": "code", "execution_count": 4, "metadata": {}, "outputs": [], "source": [ "def untag(tagged_sentence):\n", " return [w for w,t in tagged_sentence]\n", "\n", "def transform_to_dataset(tagged_sentences):\n", " X,y = [], []\n", " \n", " for s in tagged_sentences:\n", " for i in range(len(s)):\n", " X.append(features(untag(s),i))\n", " y.append(s[i][1])\n", " return X,y\n", "\n", "def create_training_and_test_set(annotated_sentences, relative_cutoff):\n", " cutoff = int(relative_cutoff * len(annotated_sentences))\n", " training_sentences = annotated_sentences[:cutoff]\n", " test_sentences = annotated_sentences[cutoff:]\n", " \n", " X,y = transform_to_dataset(training_sentences)\n", " tX, ty = transform_to_dataset(test_sentences)\n", " \n", " return X,y,tX,ty" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "* Decision Tree classifier" ] }, { "cell_type": "code", "execution_count": 5, "metadata": {}, "outputs": [], "source": [ "def train_classifier(X,y,classifier,max_size=10000):\n", " clf = Pipeline([\n", " ('vectorizer', DictVectorizer(sparse=False)),\n", " ('classifier', classifier)\n", " ])\n", " \n", " print(\"start training…\")\n", " \n", " clf.fit(\n", " X if len(X) < max_size else X[:max_size],\n", " y if len(y) < max_size else y[:max_size]\n", " )\n", " \n", " print(\"training done\")\n", " \n", " return clf" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "* classifier evaluater" ] }, { "cell_type": "code", "execution_count": 6, "metadata": {}, "outputs": [], "source": [ "def test_classifier(clf, tX, ty):\n", " accuracy = clf.score(tX, ty)\n", " print(\"Accuracy: \", accuracy)\n", " # TODO: more analytics\n", " return accuracy" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "## Exercises:" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "### Exercise 01\n" ] }, { "cell_type": "code", "execution_count": 10, "metadata": {}, "outputs": [], "source": [ "accs = [0] * 5\n", "names = [\"M1\", \"M2\", \"M3\", \"M4\", \"M5\"]\n" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "#### Model 01\n", "* train and testing english custom POS tagger model:" ] }, { "cell_type": "code", "execution_count": 9, "metadata": {}, "outputs": [ { "name": "stdout", "output_type": "stream", "text": [ "start training…\n", "training done\n" ] } ], "source": [ "annotated_sent = nltk.corpus.treebank.tagged_sents()\n", "\n", "X,y,tX,ty = create_training_and_test_set(annotated_sentences=annotated_sent, \n", " relative_cutoff=0.8)\n", "\n", "#classifier = DecisionTreeClassifier(criterion='entropy')\n", "from sklearn.neural_network import MLPClassifier\n", "model01_clf = train_classifier(X,y,MLPClassifier(),max_size=10000)\n", "accs[0] = test_classifier(clf=clf, tX=tX, ty=ty)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "#### Model 02" ] }, { "cell_type": "code", "execution_count": 13, "metadata": {}, "outputs": [ { "data": { "text/plain": [ "0" ] }, "execution_count": 13, "metadata": {}, "output_type": "execute_result" } ], "source": [ "accs[1]" ] }, { "cell_type": "code", "execution_count": 8, "metadata": {}, "outputs": [ { "data": { "text/plain": [ "'\\nimport matplotlib.pyplot as plt\\nimport numpy as np\\n\\nweights = clf.named_steps[\\'classifier\\'].feature_importances_\\nlabels = clf.named_steps[\\'vectorizer\\'].get_feature_names()\\n\\n#sort\\nweights, labels = (list(t) for t in zip(*sorted(zip(weights, labels))))\\n\\n#fig_1, ax_1 = plt.subplots()\\n#plt.bar(np.arange(len(weights)), weights)\\n#plt.xticks(np.arange(len(weights)), labels, rotation=90)\\n#plt.show()\\n\\nprint(\"Most important features:\")\\npprint.pprint(list(reversed(labels[-20:])))\\nprint(\"with weights: \")\\npprint.pprint(list(reversed(weights[-20:])))\\n'" ] }, "execution_count": 8, "metadata": {}, "output_type": "execute_result" } ], "source": [ "'''\n", "import matplotlib.pyplot as plt\n", "import numpy as np\n", "\n", "weights = clf.named_steps['classifier'].feature_importances_\n", "labels = clf.named_steps['vectorizer'].get_feature_names()\n", "\n", "#sort\n", "weights, labels = (list(t) for t in zip(*sorted(zip(weights, labels))))\n", "\n", "#fig_1, ax_1 = plt.subplots()\n", "#plt.bar(np.arange(len(weights)), weights)\n", "#plt.xticks(np.arange(len(weights)), labels, rotation=90)\n", "#plt.show()\n", "\n", "print(\"Most important features:\")\n", "pprint.pprint(list(reversed(labels[-20:])))\n", "print(\"with weights: \")\n", "pprint.pprint(list(reversed(weights[-20:])))\n", "'''" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "```\n", "from sklearn import tree\n", "import graphviz\n", "dot_data = tree.export_graphviz(clf.named_steps['classifier'], out_file='test',\n", " feature_names=labels,\n", " filled=True, rounded=True, \n", " special_characters=True)\n", "#graph = graphviz.Source(dot_data)\n", "#graph\n", "```" ] }, { "cell_type": "code", "execution_count": null, "metadata": {}, "outputs": [], "source": [] } ], "metadata": { "kernelspec": { "display_name": "Python 3", "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.6.3" } }, "nbformat": 4, "nbformat_minor": 2 }