diff --git a/.idea/libraries/openjfx_javafx_base.xml b/.idea/libraries/openjfx_javafx_base.xml index 90e7dbd..d25559f 100644 --- a/.idea/libraries/openjfx_javafx_base.xml +++ b/.idea/libraries/openjfx_javafx_base.xml @@ -3,7 +3,7 @@ - + diff --git a/WS24_25/PyCharm/pythonProject/.idea/misc.xml b/WS24_25/PyCharm/pythonProject/.idea/misc.xml index 5ae44a1..8393b48 100644 --- a/WS24_25/PyCharm/pythonProject/.idea/misc.xml +++ b/WS24_25/PyCharm/pythonProject/.idea/misc.xml @@ -3,5 +3,5 @@ - + \ No newline at end of file diff --git a/WS24_25/PyCharm/pythonProject/.idea/pythonProject.iml b/WS24_25/PyCharm/pythonProject/.idea/pythonProject.iml index 2d9e6c3..2fe08f5 100644 --- a/WS24_25/PyCharm/pythonProject/.idea/pythonProject.iml +++ b/WS24_25/PyCharm/pythonProject/.idea/pythonProject.iml @@ -5,7 +5,7 @@ - + \ No newline at end of file diff --git a/WS24_25/PyCharm/pythonProject/P11/excercise.py b/WS24_25/PyCharm/pythonProject/P11/excercise.py index e69de29..b8d116b 100644 --- a/WS24_25/PyCharm/pythonProject/P11/excercise.py +++ b/WS24_25/PyCharm/pythonProject/P11/excercise.py @@ -0,0 +1,70 @@ +import pandas as pd + +# Load the dataset: Order;Lot Area;Street;Neighborhood;Bldg Type;House Style;Overall Qual;Overall Cond;Year Built;Year Remod/Add;1st Flr over Lot Area;1st Flr SF;Mo Sold;Yr Sold;Sale Type;Sale Condition;SalePrice +data = pd.read_csv("AmesHousing.csv", sep=';') +# View dataset structure +print(data.head()) +print(data.info()) + +# Compute "years since built" +data['Years Since Built'] = data['Yr Sold'] - data['Year Built'] + +# Compute "years since remod/add" +data['Years Since Remod/Add'] = data['Yr Sold'] - data['Year Remod/Add'] + +# View the updated dataset +print(data[['Years Since Built', 'Years Since Remod/Add']].head()) + +# Categorize SalePrice into "cheap" and "expensive" +data['Price Category'] = data['SalePrice'].apply(lambda x: 'cheap' if x <= 160000 else 'expensive') + +# View the updated dataset +print(data[['SalePrice', 'Price Category']].head()) + +# Define a threshold for low-frequency values +threshold = 5 + +# Iterate through each column +for column in data.columns: + # Only process categorical columns (non-numeric, or treat numeric as categorical if needed) + if data[column].dtype == 'object' or data[column].nunique() < 20: # Customize this condition for your use case + # Count frequency of each value + frequencies = data[column].value_counts() + + # Identify categories with few occurrences + low_frequency_values = frequencies[frequencies < threshold].index + + # Replace infrequent values with "Other" + data[column] = data[column].apply(lambda x: 'Other' if x in low_frequency_values else x) + +# View the dataframe after reclassification +print(data.head()) + +# Threshold for imbalance percentage (e.g., any class with >99% of the data) +imbalance_threshold = 0.99 + +# Identify columns to drop +columns_to_drop = [] + +# Loop through each column in the DataFrame +for column in data.columns: + # Only analyze categorical variables + if data[column].dtype == 'object' or data[column].nunique() < 20: + # Compute class distribution + class_distribution = data[column].value_counts(normalize=True) + + # Check if any single class exceeds the imbalance threshold + if class_distribution.max() > imbalance_threshold: + print(f"Extreme imbalance found in '{column}' (Dropping column)") + columns_to_drop.append(column) + + # You might want to drop other irrelevant variables explicitly + # Add them to columns_to_drop if not needed + # Example: columns_to_drop.append('Unnamed_column') + +# Drop the identified columns +data = data.drop(columns=columns_to_drop) + +# Output the cleaned dataset +print(f"Columns dropped: {columns_to_drop}") +print(data.head()) \ No newline at end of file diff --git a/WS24_25/PyCharm/pythonProject/P5/AmesHousing.csv b/WS24_25/PyCharm/pythonProject/P5/AmesHousing.csv index b273b15..c03e5ab 100644 --- a/WS24_25/PyCharm/pythonProject/P5/AmesHousing.csv +++ b/WS24_25/PyCharm/pythonProject/P5/AmesHousing.csv @@ -1,4 +1,4 @@ -Order;Lot Area;Street;Neighborhood;Bldg Type;House Style;Overall Qual;Overall Cond;Year Built;Year Remod/Add;1st Flr over Lot Area;1st Flr SF;Mo Sold;Yr Sold;Sale Type;Sale Condition;SalePrice +Order;Lot Area;Street;Neighborhood;Bldg Type;House Style;Overall Qual;Overall Cond;Year Built;Year Remod/Add;1st Flr over Lot Area;1st Flr SF;Mo Sold;Yr_Sold;Sale Type;Sale Condition;SalePrice 1;31770;Pave;NAmes;1Fam;1Story;6;5;1960;1960;0,05;1656;5;2010;WD ;Normal;215000 2;11622;Pave;NAmes;1Fam;1Story;5;6;1961;1961;0,08;896;6;2010;WD ;Normal;105000 3;14267;Pave;NAmes;1Fam;1Story;6;6;1958;1958;0,09;1329;6;2010;WD ;Normal;172000 diff --git a/WS24_25/SWTD/.idea/.gitignore b/WS24_25/SWTD/.idea/.gitignore new file mode 100644 index 0000000..13566b8 --- /dev/null +++ b/WS24_25/SWTD/.idea/.gitignore @@ -0,0 +1,8 @@ +# Default ignored files +/shelf/ +/workspace.xml +# Editor-based HTTP Client requests +/httpRequests/ +# Datasource local storage ignored files +/dataSources/ +/dataSources.local.xml diff --git a/WS24_25/SWTD/.idea/SWTD.iml b/WS24_25/SWTD/.idea/SWTD.iml new file mode 100644 index 0000000..d6ebd48 --- /dev/null +++ b/WS24_25/SWTD/.idea/SWTD.iml @@ -0,0 +1,9 @@ + + + + + + + + + \ No newline at end of file diff --git a/WS24_25/SWTD/.idea/misc.xml b/WS24_25/SWTD/.idea/misc.xml new file mode 100644 index 0000000..639900d --- /dev/null +++ b/WS24_25/SWTD/.idea/misc.xml @@ -0,0 +1,6 @@ + + + + + + \ No newline at end of file diff --git a/WS24_25/SWTD/.idea/modules.xml b/WS24_25/SWTD/.idea/modules.xml new file mode 100644 index 0000000..4b6bd49 --- /dev/null +++ b/WS24_25/SWTD/.idea/modules.xml @@ -0,0 +1,8 @@ + + + + + + + + \ No newline at end of file diff --git a/WS24_25/SWTD/.idea/vcs.xml b/WS24_25/SWTD/.idea/vcs.xml new file mode 100644 index 0000000..3cc1489 --- /dev/null +++ b/WS24_25/SWTD/.idea/vcs.xml @@ -0,0 +1,7 @@ + + + + + + + \ No newline at end of file diff --git a/WS24_25/SWTD/buch/.vscode/settings.json b/WS24_25/SWTD/buch/.vscode/settings.json new file mode 100644 index 0000000..c5f3f6b --- /dev/null +++ b/WS24_25/SWTD/buch/.vscode/settings.json @@ -0,0 +1,3 @@ +{ + "java.configuration.updateBuildConfiguration": "interactive" +} \ No newline at end of file diff --git a/WS24_25/SWTD/buch/pom.xml b/WS24_25/SWTD/buch/pom.xml new file mode 100644 index 0000000..0d201cc --- /dev/null +++ b/WS24_25/SWTD/buch/pom.xml @@ -0,0 +1,117 @@ + + + 4.0.0 + + com.buch + buch + 1.0-SNAPSHOT + + + 17 + 17 + + + + org.apache.maven.plugins + maven-compiler-plugin + 3.8.1 + + + org.junit.jupiter + junit-jupiter-api + 5.8.1 + test + + + org.junit.jupiter + junit-jupiter-engine + 5.8.1 + test + + + + + + org.apache.maven.plugins + maven-pmd-plugin + 3.10.0 + + + /rulesets/java/maven-pmd-plugin-default.xml + + + + + org.jacoco + jacoco-maven-plugin + 0.8.8 + + + + prepare-agent + + + + report + test + + report + + + + + + + com.github.spotbugs + spotbugs-maven-plugin + 4.7.3.0 + + + verify + + check + + + + + + org.apache.maven.plugins + maven-javadoc-plugin + 3.3.1 + + + attach-javadocs + + jar + + + + + + org.apache.maven.plugins + maven-surefire-plugin + 3.0.0-M5 + + + **/*Test.java + + + + + + + \ No newline at end of file diff --git a/WS24_25/SWTD/buch/src/main/java/com/buch/.classpath b/WS24_25/SWTD/buch/src/main/java/com/buch/.classpath new file mode 100644 index 0000000..cc7119b --- /dev/null +++ b/WS24_25/SWTD/buch/src/main/java/com/buch/.classpath @@ -0,0 +1,7 @@ + + + + + + + diff --git a/WS24_25/SWTD/buch/src/main/java/com/buch/.project b/WS24_25/SWTD/buch/src/main/java/com/buch/.project new file mode 100644 index 0000000..ae19acb --- /dev/null +++ b/WS24_25/SWTD/buch/src/main/java/com/buch/.project @@ -0,0 +1,28 @@ + + + BuchRedesign + + + + + + org.eclipse.jdt.core.javabuilder + + + + + + org.eclipse.jdt.core.javanature + + + + 1606726140798 + + 30 + + org.eclipse.core.resources.regexFilterMatcher + node_modules|.git|__CREATED_BY_JAVA_LANGUAGE_SERVER__ + + + + diff --git a/WS24_25/SWTD/buch/src/main/java/com/buch/Main.java b/WS24_25/SWTD/buch/src/main/java/com/buch/Main.java new file mode 100644 index 0000000..6458c1b --- /dev/null +++ b/WS24_25/SWTD/buch/src/main/java/com/buch/Main.java @@ -0,0 +1,8 @@ +package com.buch; +import com.buch.gui.BuchHauptprogrammView; + +public class Main { + public static void main(String[] args) { + BuchHauptprogrammView.main(args); + } +} \ No newline at end of file diff --git a/WS24_25/SWTD/buch/src/main/java/com/buch/datenhaltung/BuchDBDAO.java b/WS24_25/SWTD/buch/src/main/java/com/buch/datenhaltung/BuchDBDAO.java new file mode 100644 index 0000000..2dacc05 --- /dev/null +++ b/WS24_25/SWTD/buch/src/main/java/com/buch/datenhaltung/BuchDBDAO.java @@ -0,0 +1,91 @@ +package com.buch.datenhaltung; + +import java.sql.Connection; +import java.sql.DriverManager; +import java.sql.ResultSet; +import java.sql.SQLException; +import java.sql.Statement; +import java.util.LinkedList; +import java.util.List; + +import com.buch.fachlogik.Buch; + +/** + * Ein DAO für die Klasse Buch. Das DAO realisiert einen Zugriff auf eine + * relationale Derby-Datenbank. Die Datenbank muss breits existieren. + */ +public class BuchDBDAO implements IBuchDAO{ + private Connection conn; + private String dbname; + + public BuchDBDAO(String dbname){ + this.dbname = dbname; + try { + Class.forName("org.apache.derby.jdbc.EmbeddedDriver"); + } catch (ClassNotFoundException e) { + e.printStackTrace(); + } + } + + private void open() throws DatenException{ + try { + conn = DriverManager.getConnection("jdbc:derby:"+dbname); + } catch (SQLException e) { + e.printStackTrace(); + throw new DatenException("Keine DB-Verbindung"); + } + } + + @Override + public List laden() throws DatenException { + Statement s=null; + List liste = new LinkedList(); + open(); + try { + s = conn.createStatement(); + ResultSet rs = s.executeQuery("SELECT * FROM buch"); + while(rs.next()){ + long id = rs.getLong(1); + String name = rs.getString(2).trim(); + float preis = rs.getFloat(3); + Buch buch = new Buch(id, name, preis); + liste.add(buch); + } + } catch (SQLException e) { + throw new DatenException("Fehler beim Lesen aus DB"); + } finally{ + try { + s.close(); + conn.close(); + } catch (SQLException e) { + } + } + return liste; + } + + @Override + public void speichern(List liste) throws DatenException { + Statement s = null; + open(); + try{ + s = conn.createStatement(); + s.executeUpdate("DELETE FROM buch WHERE id > -1"); + for(Buch buch : liste){ + s.executeUpdate("INSERT INTO buch VALUES (" + buch.getID() + ",'" + + buch.getTitel() + "'," + buch.getPreis()+")"); + } + } catch (SQLException e){ + e.printStackTrace(); + } finally{ + try { + s.close(); + conn.close(); + } catch (SQLException e) { + } + + } + + } + + +} diff --git a/WS24_25/SWTD/buch/src/main/java/com/buch/datenhaltung/BuchSerializeDAO.java b/WS24_25/SWTD/buch/src/main/java/com/buch/datenhaltung/BuchSerializeDAO.java new file mode 100644 index 0000000..85feb09 --- /dev/null +++ b/WS24_25/SWTD/buch/src/main/java/com/buch/datenhaltung/BuchSerializeDAO.java @@ -0,0 +1,62 @@ +package com.buch.datenhaltung; + +import java.io.File; +import java.io.FileInputStream; +import java.io.FileOutputStream; +import java.io.IOException; +import java.io.ObjectInputStream; +import java.io.ObjectOutputStream; +import java.util.LinkedList; +import java.util.List; + +import com.buch.fachlogik.Buch; + +public class BuchSerializeDAO implements IBuchDAO { + private File f; + + public BuchSerializeDAO(File f) { + this.f = f; + } + + @SuppressWarnings("unchecked") + public List laden() throws DatenException { + List liste = null; + ObjectInputStream ois = null; + try { + FileInputStream fis = new FileInputStream(f); + ois = new ObjectInputStream(fis); + liste = ((List) ois.readObject()); + } catch (Exception e) { + e.printStackTrace(); + throw new DatenException("Laden nicht möglich."); + } finally { + try { + ois.close(); + } catch (IOException e) { + } + } + if (liste == null) { + liste = new LinkedList(); + } + return liste; + } + + public void speichern(List liste) throws DatenException { + ObjectOutputStream oos = null; + + try { + FileOutputStream fos = new FileOutputStream(f); + oos = new ObjectOutputStream(fos); + oos.writeObject(liste); + } catch (Exception e) { + throw new DatenException("Laden nicht möglich"); + } finally { + try { + oos.close(); + } catch (IOException e) { + + } + } + } + +} diff --git a/WS24_25/SWTD/buch/src/main/java/com/buch/datenhaltung/DatenException.java b/WS24_25/SWTD/buch/src/main/java/com/buch/datenhaltung/DatenException.java new file mode 100644 index 0000000..83927bb --- /dev/null +++ b/WS24_25/SWTD/buch/src/main/java/com/buch/datenhaltung/DatenException.java @@ -0,0 +1,11 @@ +package com.buch.datenhaltung; + +public class DatenException extends Exception { + + private static final long serialVersionUID = 1L; + + public DatenException(String msg) { + super(msg); + } + +} diff --git a/WS24_25/SWTD/buch/src/main/java/com/buch/datenhaltung/IBuchDAO.java b/WS24_25/SWTD/buch/src/main/java/com/buch/datenhaltung/IBuchDAO.java new file mode 100644 index 0000000..35f7b0d --- /dev/null +++ b/WS24_25/SWTD/buch/src/main/java/com/buch/datenhaltung/IBuchDAO.java @@ -0,0 +1,15 @@ +package com.buch.datenhaltung; + +import java.util.List; +import com.buch.fachlogik.Buch; + +/** + * Ein Interface für ein Buch-DAO. Zur Vereinfachung wird über dieses Interface + * immer der komplette Datenbestand gelesen und geschrieben. + * Für eine Zugriff auf einzelne Datansätze würde dieses Interface im Normalfall + * die Methode create, read, update und delete bieten. + */ +public interface IBuchDAO { + List laden() throws DatenException; + void speichern(List liste) throws DatenException; +} diff --git a/WS24_25/SWTD/buch/src/main/java/com/buch/derby.log b/WS24_25/SWTD/buch/src/main/java/com/buch/derby.log new file mode 100644 index 0000000..d9a5d66 --- /dev/null +++ b/WS24_25/SWTD/buch/src/main/java/com/buch/derby.log @@ -0,0 +1,94 @@ +Sun May 26 20:43:16 CEST 2013 Thread[AWT-EventQueue-0,6,main] Cleanup action starting +java.sql.SQLException: Die Datenbank '/home/dwiesmann/DB/buchDB' wurde nicht gefunden. + at org.apache.derby.impl.jdbc.SQLExceptionFactory40.getSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.Util.newEmbedSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.Util.newEmbedSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.Util.generateCsSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.EmbedConnection.newSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.EmbedConnection.handleDBNotFound(Unknown Source) + at org.apache.derby.impl.jdbc.EmbedConnection.(Unknown Source) + at org.apache.derby.impl.jdbc.EmbedConnection30.(Unknown Source) + at org.apache.derby.impl.jdbc.EmbedConnection40.(Unknown Source) + at org.apache.derby.jdbc.Driver40.getNewEmbedConnection(Unknown Source) + at org.apache.derby.jdbc.InternalDriver.connect(Unknown Source) + at org.apache.derby.jdbc.AutoloadedDriver.connect(Unknown Source) + at java.sql.DriverManager.getConnection(DriverManager.java:579) + at java.sql.DriverManager.getConnection(DriverManager.java:243) + at de.buch.datenhaltung.BuchDBDAO.open(BuchDBDAO.java:32) + at de.buch.datenhaltung.BuchDBDAO.laden(BuchDBDAO.java:43) + at de.buch.fachlogik.BuecherVerwaltung.laden(BuecherVerwaltung.java:31) + at de.buch.gui.Controller.laden(Controller.java:63) + at de.buch.gui.BuchHauptprogrammView$2.actionPerformed(BuchHauptprogrammView.java:36) + at java.awt.Button.processActionEvent(Button.java:409) + at java.awt.Button.processEvent(Button.java:377) + at java.awt.Component.dispatchEventImpl(Component.java:4861) + at java.awt.Component.dispatchEvent(Component.java:4687) + at java.awt.EventQueue.dispatchEventImpl(EventQueue.java:729) + at java.awt.EventQueue.access$200(EventQueue.java:103) + at java.awt.EventQueue$3.run(EventQueue.java:688) + at java.awt.EventQueue$3.run(EventQueue.java:686) + at java.security.AccessController.doPrivileged(Native Method) + at java.security.ProtectionDomain$1.doIntersectionPrivilege(ProtectionDomain.java:76) + at java.security.ProtectionDomain$1.doIntersectionPrivilege(ProtectionDomain.java:87) + at java.awt.EventQueue$4.run(EventQueue.java:702) + at java.awt.EventQueue$4.run(EventQueue.java:700) + at java.security.AccessController.doPrivileged(Native Method) + at java.security.ProtectionDomain$1.doIntersectionPrivilege(ProtectionDomain.java:76) + at java.awt.EventQueue.dispatchEvent(EventQueue.java:699) + at java.awt.EventDispatchThread.pumpOneEventForFilters(EventDispatchThread.java:242) + at java.awt.EventDispatchThread.pumpEventsForFilter(EventDispatchThread.java:161) + at java.awt.EventDispatchThread.pumpEventsForHierarchy(EventDispatchThread.java:150) + at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:146) + at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:138) + at java.awt.EventDispatchThread.run(EventDispatchThread.java:91) +Caused by: java.sql.SQLException: Die Datenbank '/home/dwiesmann/DB/buchDB' wurde nicht gefunden. + at org.apache.derby.impl.jdbc.SQLExceptionFactory.getSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.SQLExceptionFactory40.wrapArgsForTransportAcrossDRDA(Unknown Source) + ... 41 more +============= begin nested exception, level (1) =========== +java.sql.SQLException: Die Datenbank '/home/dwiesmann/DB/buchDB' wurde nicht gefunden. + at org.apache.derby.impl.jdbc.SQLExceptionFactory.getSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.SQLExceptionFactory40.wrapArgsForTransportAcrossDRDA(Unknown Source) + at org.apache.derby.impl.jdbc.SQLExceptionFactory40.getSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.Util.newEmbedSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.Util.newEmbedSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.Util.generateCsSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.EmbedConnection.newSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.EmbedConnection.handleDBNotFound(Unknown Source) + at org.apache.derby.impl.jdbc.EmbedConnection.(Unknown Source) + at org.apache.derby.impl.jdbc.EmbedConnection30.(Unknown Source) + at org.apache.derby.impl.jdbc.EmbedConnection40.(Unknown Source) + at org.apache.derby.jdbc.Driver40.getNewEmbedConnection(Unknown Source) + at org.apache.derby.jdbc.InternalDriver.connect(Unknown Source) + at org.apache.derby.jdbc.AutoloadedDriver.connect(Unknown Source) + at java.sql.DriverManager.getConnection(DriverManager.java:579) + at java.sql.DriverManager.getConnection(DriverManager.java:243) + at de.buch.datenhaltung.BuchDBDAO.open(BuchDBDAO.java:32) + at de.buch.datenhaltung.BuchDBDAO.laden(BuchDBDAO.java:43) + at de.buch.fachlogik.BuecherVerwaltung.laden(BuecherVerwaltung.java:31) + at de.buch.gui.Controller.laden(Controller.java:63) + at de.buch.gui.BuchHauptprogrammView$2.actionPerformed(BuchHauptprogrammView.java:36) + at java.awt.Button.processActionEvent(Button.java:409) + at java.awt.Button.processEvent(Button.java:377) + at java.awt.Component.dispatchEventImpl(Component.java:4861) + at java.awt.Component.dispatchEvent(Component.java:4687) + at java.awt.EventQueue.dispatchEventImpl(EventQueue.java:729) + at java.awt.EventQueue.access$200(EventQueue.java:103) + at java.awt.EventQueue$3.run(EventQueue.java:688) + at java.awt.EventQueue$3.run(EventQueue.java:686) + at java.security.AccessController.doPrivileged(Native Method) + at java.security.ProtectionDomain$1.doIntersectionPrivilege(ProtectionDomain.java:76) + at java.security.ProtectionDomain$1.doIntersectionPrivilege(ProtectionDomain.java:87) + at java.awt.EventQueue$4.run(EventQueue.java:702) + at java.awt.EventQueue$4.run(EventQueue.java:700) + at java.security.AccessController.doPrivileged(Native Method) + at java.security.ProtectionDomain$1.doIntersectionPrivilege(ProtectionDomain.java:76) + at java.awt.EventQueue.dispatchEvent(EventQueue.java:699) + at java.awt.EventDispatchThread.pumpOneEventForFilters(EventDispatchThread.java:242) + at java.awt.EventDispatchThread.pumpEventsForFilter(EventDispatchThread.java:161) + at java.awt.EventDispatchThread.pumpEventsForHierarchy(EventDispatchThread.java:150) + at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:146) + at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:138) + at java.awt.EventDispatchThread.run(EventDispatchThread.java:91) +============= end nested exception, level (1) =========== +Cleanup action completed diff --git a/WS24_25/SWTD/buch/src/main/java/com/buch/fachlogik/Buch.java b/WS24_25/SWTD/buch/src/main/java/com/buch/fachlogik/Buch.java new file mode 100644 index 0000000..cd7a110 --- /dev/null +++ b/WS24_25/SWTD/buch/src/main/java/com/buch/fachlogik/Buch.java @@ -0,0 +1,54 @@ +package com.buch.fachlogik; + +import java.io.Serializable; + +public class Buch implements Serializable{ + + private static final long serialVersionUID = 7990859856056431852L; + + private static long oid; + private long id; + private String titel; + private float preis; + + public Buch(){ + id=oid++; + } + + public Buch(String titel, float preis){ + this(); + this.titel = titel; + this.preis = preis; + } + + public Buch(long id, String titel, float preis){ + this.id = id; + if(this.id > oid){ + oid = this.id + 1; + } + this.titel = titel; + this.preis = preis; + } + + + public long getID(){ + return id; + } + + public String getTitel() { + return titel; + } + + public void setTitel(String titel) { + this.titel = titel; + } + + public float getPreis() { + return preis; + } + + public void setPreis(float preis) { + this.preis = preis; + } + +} diff --git a/WS24_25/SWTD/buch/src/main/java/com/buch/fachlogik/BuecherVerwaltung.java b/WS24_25/SWTD/buch/src/main/java/com/buch/fachlogik/BuecherVerwaltung.java new file mode 100644 index 0000000..d601d62 --- /dev/null +++ b/WS24_25/SWTD/buch/src/main/java/com/buch/fachlogik/BuecherVerwaltung.java @@ -0,0 +1,37 @@ +package com.buch.fachlogik; + +import java.util.LinkedList; +import java.util.List; + +import com.buch.datenhaltung.DatenException; +import com.buch.datenhaltung.IBuchDAO; + +public class BuecherVerwaltung { + private List liste; + private IBuchDAO dao; + + public BuecherVerwaltung(IBuchDAO dao){ + liste = new LinkedList(); + this.dao = dao; + } + + public void add(Buch b){ + liste.add(b); + } + + public Buch getBuch(int index){ + return liste.get(index); + } + + public List getBuchliste(){ + return liste; + } + + public void laden() throws DatenException{ + liste=dao.laden(); + } + + public void speichern() throws DatenException{ + dao.speichern(liste); + } +} diff --git a/WS24_25/SWTD/buch/src/main/java/com/buch/gui/BuchErfassungView.java b/WS24_25/SWTD/buch/src/main/java/com/buch/gui/BuchErfassungView.java new file mode 100644 index 0000000..3c924f2 --- /dev/null +++ b/WS24_25/SWTD/buch/src/main/java/com/buch/gui/BuchErfassungView.java @@ -0,0 +1,98 @@ +package com.buch.gui; + +import java.awt.*; +import java.awt.event.*; + +import com.buch.fachlogik.Buch; + +public class BuchErfassungView extends Dialog { + + private static final long serialVersionUID = 1L; + private Buch buch; + private Controller controller; + private TextField tf_name; + private TextField tf_preis; + + public BuchErfassungView(Frame mainwindow, Controller controller, Buch buch) { + super(mainwindow, "Bucherfassung", true); + this.buch = buch; + this.controller = controller; + setSize(290, 150); + setLocation(150,100); + Panel mainPanel = new Panel(new FlowLayout()); + mainPanel.add(createPanel()); + add(mainPanel); + add(createButtonPanel(), BorderLayout.SOUTH); + setVisible(true); + } + + private Panel createPanel() { + Panel p = new Panel(); + p.setLayout(new GridLayout(2, 1)); + + Panel ptop = new Panel(new FlowLayout(FlowLayout.RIGHT)); + ptop.add(new Label("Titel:")); + tf_name = new TextField(15); + ptop.add(tf_name); + + Panel pbottom = new Panel(new FlowLayout(FlowLayout.RIGHT)); + tf_preis = new TextField(15); + pbottom.add(new Label("Preis:")); + pbottom.add(tf_preis); + + if (buch != null) { + update(); + } + + p.add(ptop); + p.add(pbottom); + return p; + } + + private Panel createButtonPanel() { + Panel footer = new Panel(); + Button button_speichern = new Button("Speichern"); + button_speichern.addActionListener(new ActionListener() { + public void actionPerformed(ActionEvent e) { + save(); + close(); + controller.erfassenPerformed(buch); + } + }); + footer.add(button_speichern); + + Button button_abr = new Button("Abbrechen"); + button_abr.addActionListener(new ActionListener() { + @Override + public void actionPerformed(ActionEvent e) { + setVisible(false); + dispose(); + } + }); + footer.add(button_abr); + return footer; + } + + private void update() { + tf_name.setText(buch.getTitel()); + tf_preis.setText(String.valueOf(buch.getPreis())); + } + + private void save() { + try { + String name = tf_name.getText(); + buch.setTitel(name); + float preis = Float.parseFloat(tf_preis.getText()); + buch.setPreis(preis); + } catch (NumberFormatException a) { + close(); + controller.erfassenFehler(buch); + } + } + + private void close() { + setVisible(false); + dispose(); + } + +} diff --git a/WS24_25/SWTD/buch/src/main/java/com/buch/gui/BuchHauptprogrammView.java b/WS24_25/SWTD/buch/src/main/java/com/buch/gui/BuchHauptprogrammView.java new file mode 100644 index 0000000..fa5cf22 --- /dev/null +++ b/WS24_25/SWTD/buch/src/main/java/com/buch/gui/BuchHauptprogrammView.java @@ -0,0 +1,75 @@ +package com.buch.gui; + +import java.awt.*; +import java.awt.event.ActionEvent; +import java.awt.event.ActionListener; +import java.io.File; + +import com.buch.datenhaltung.*; +import com.buch.fachlogik.BuecherVerwaltung; + + +public class BuchHauptprogrammView extends Frame { + + private static final long serialVersionUID = 1L; + private Controller controller; + + public BuchHauptprogrammView(Controller controller) { + super("Buchverwaltung"); + this.controller = controller; + setSize(250, 290); + setLocation(50,100); + add(createButtonPanel()); + setVisible(true); + } + + private Panel createButtonPanel() { + Panel p = new Panel(new GridLayout(5, 1)); + Button neu = new Button("Neu"); + neu.addActionListener(new ActionListener() { + public void actionPerformed(ActionEvent e) { + controller.neu(); + } + }); + Button laden = new Button("Laden"); + laden.addActionListener(new ActionListener() { + public void actionPerformed(ActionEvent e) { + controller.laden(); + } + + }); + Button listen = new Button("Liste"); + listen.addActionListener(new ActionListener() { + public void actionPerformed(ActionEvent e) { + controller.liste(); + } + }); + Button speicher = new Button("Speichern"); + speicher.addActionListener(new ActionListener() { + public void actionPerformed(ActionEvent e) { + controller.speichern(); + } + + }); + Button abr = new Button("Fertig"); + abr.addActionListener(new ActionListener() { + public void actionPerformed(ActionEvent e) { + controller.fertig(); + } + }); + p.add(neu); + p.add(laden); + p.add(listen); + p.add(speicher); + p.add(abr); + return p; + } + + public static void main(String[] args) { + BuecherVerwaltung buchliste = new BuecherVerwaltung(new BuchSerializeDAO(new File("/Users/dwiesmann/IO/buchliste.ser"))); + //BuecherVerwaltung buchliste = new BuecherVerwaltung(new BuchDBDAO("/home/dwiesmann/DB/buchDB")); + Controller controller = new Controller(buchliste); + controller.start(); + + } +} diff --git a/WS24_25/SWTD/buch/src/main/java/com/buch/gui/BuchListeView.java b/WS24_25/SWTD/buch/src/main/java/com/buch/gui/BuchListeView.java new file mode 100644 index 0000000..4348a48 --- /dev/null +++ b/WS24_25/SWTD/buch/src/main/java/com/buch/gui/BuchListeView.java @@ -0,0 +1,88 @@ +package com.buch.gui; + +import java.awt.*; +import java.awt.event.ActionEvent; +import java.awt.event.ActionListener; +import java.awt.event.ItemEvent; +import java.awt.event.ItemListener; + +import com.buch.fachlogik.Buch; + +public class BuchListeView extends Dialog { + + private static final long serialVersionUID = 1L; + + private Controller controller; + private List liste; + private java.util.List buchliste; + private int selectedIndex; + + public BuchListeView(Frame mainwindow, Controller controller, java.util.List buchliste) { + super(mainwindow, "Buchliste", true); + this.controller = controller; + this.buchliste = buchliste; + selectedIndex = -1; + add(createListenPanel()); + setSize(400, 500); + setLocation(150, 50); + setVisible(true); + } + + private Panel createListenPanel() { + Panel panel_main = new Panel(); + panel_main.setLayout(new BorderLayout()); + Panel panel_button = new Panel(); + + Button button_aendern = new Button("Ändern"); + button_aendern.addActionListener(new ActionListener(){ + public void actionPerformed(ActionEvent e){ + if (selectedIndex > -1){ + close(); + controller.aendern(selectedIndex); + } + } + }); + + Button button_abbrechen = new Button("Abbrechen"); + button_abbrechen.addActionListener(new ActionListener(){ + public void actionPerformed(ActionEvent e) { + close(); + } + + }); + panel_button.add(button_aendern); + panel_button.add(button_abbrechen); + liste = new List(20, false); + liste.addActionListener(new ActionListener(){ + public void actionPerformed(ActionEvent e){ + Object obj = e.getSource(); + if(obj instanceof List){ + selectedIndex = ((List)e.getSource()).getSelectedIndex(); + close(); + controller.aendern(selectedIndex); + + } + } + }); + liste.addItemListener(new ItemListener() { + public void itemStateChanged(ItemEvent e) { + selectedIndex = ((Integer) e.getItem()).intValue(); + } + }); + + if (buchliste != null) { + for (Buch b : buchliste) { + liste.add(b.getTitel() + " " + b.getPreis()); + } + } + panel_main.add(liste, BorderLayout.CENTER); + panel_main.add(panel_button, BorderLayout.SOUTH); + return panel_main; + } + + private void close() { + setVisible(false); + dispose(); + } + +} diff --git a/WS24_25/SWTD/buch/src/main/java/com/buch/gui/Controller.java b/WS24_25/SWTD/buch/src/main/java/com/buch/gui/Controller.java new file mode 100644 index 0000000..cd6692e --- /dev/null +++ b/WS24_25/SWTD/buch/src/main/java/com/buch/gui/Controller.java @@ -0,0 +1,91 @@ +package com.buch.gui; + +import com.buch.datenhaltung.DatenException; +import com.buch.fachlogik.Buch; +import com.buch.fachlogik.BuecherVerwaltung; + +public class Controller { + private BuecherVerwaltung buchliste; + private BuchHauptprogrammView gui; + private ErfassungStrategie strategie; + + public Controller(BuecherVerwaltung buchliste) { + this.buchliste = buchliste; + } + + public void start() { + gui = new BuchHauptprogrammView(this); + } + + private abstract class ErfassungStrategie { + public void erfassen(Buch buch) { + new BuchErfassungView(gui, Controller.this, buch); + } + + public abstract void erfassenPerformed(Buch buch); + } + + private class ErfassungNeuStrategie extends ErfassungStrategie { + @Override + public void erfassenPerformed(Buch buch) { + buchliste.add(buch); + } + } + + private class ErfassungAendernStrategie extends ErfassungStrategie{ + @Override + public void erfassenPerformed(Buch buch) { + + } + } + + public void neu(){ + strategie = new ErfassungNeuStrategie(); + strategie.erfassen(new Buch()); + } + + public void aendern(int index) { + strategie = new ErfassungAendernStrategie(); + strategie.erfassen(buchliste.getBuch(index)); + } + + public void erfassenPerformed(Buch buch) { + strategie.erfassenPerformed(buch); + } + + public void erfassenFehler(Buch buch){ + new InfoView(gui, "Bitte ein gültige Zahl eingeben"); + strategie.erfassen(buch); + } + + public void laden() { + try { + buchliste.laden(); + new InfoView(gui, "Daten wurden geladen."); + } catch (DatenException e) { + new InfoView(gui, "Fehler: Daten konnten nicht geladen werden!"); + } + } + + public void liste() { + strategie = new ErfassungAendernStrategie(); + new BuchListeView(gui, this, buchliste.getBuchliste()); + } + + + public void speichern() { + try { + buchliste.speichern(); + new InfoView(gui, "Daten wurden gespeichert."); + } catch (DatenException e) { + new InfoView(gui, "Fehler: Daten konnten nicht gespeichert werden!"); + } + } + + public void fertig() { + gui.setVisible(false); + gui.dispose(); + System.exit(0); + } + +} diff --git a/WS24_25/SWTD/buch/src/main/java/com/buch/gui/InfoView.java b/WS24_25/SWTD/buch/src/main/java/com/buch/gui/InfoView.java new file mode 100644 index 0000000..e387066 --- /dev/null +++ b/WS24_25/SWTD/buch/src/main/java/com/buch/gui/InfoView.java @@ -0,0 +1,39 @@ +package com.buch.gui; + +import java.awt.BorderLayout; +import java.awt.Button; +import java.awt.Dialog; +import java.awt.Frame; +import java.awt.Label; +import java.awt.Panel; +import java.awt.event.*; + +public class InfoView extends Dialog { + + private static final long serialVersionUID = 1L; + + public InfoView(Frame mainwindow, String info) { + super(mainwindow, "Info", true); + setSize(290, 100); + setLocation(150,150); + Label text = new Label(info); + Panel infoPanel = new Panel(); + infoPanel.add(text); + + Button ok = new Button("OK"); + ok.addActionListener(new ActionListener() { + @Override + public void actionPerformed(ActionEvent e) { + setVisible(false); + dispose(); + } + }); + Panel buttonPanel = new Panel(); + buttonPanel.add(ok); + + add(infoPanel, BorderLayout.CENTER); + add(buttonPanel, BorderLayout.SOUTH); + setVisible(true); + } + +} diff --git a/WS24_25/SWTD/buch/src/test/java/HelloTest.java b/WS24_25/SWTD/buch/src/test/java/HelloTest.java new file mode 100644 index 0000000..3654c13 --- /dev/null +++ b/WS24_25/SWTD/buch/src/test/java/HelloTest.java @@ -0,0 +1,11 @@ +import org.junit.jupiter.api.Test; +import static org.junit.jupiter.api.Assertions.assertEquals; + +public class HelloTest { + + @Test + public void testHelloWorld() { + String message = "Hello, World!"; + assertEquals("Hello, World!", message); + } +} \ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/.classpath b/WS24_25/SWTD/buch/target/classes/com/buch/.classpath new file mode 100644 index 0000000..cc7119b --- /dev/null +++ b/WS24_25/SWTD/buch/target/classes/com/buch/.classpath @@ -0,0 +1,7 @@ + + + + + + + diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/.project b/WS24_25/SWTD/buch/target/classes/com/buch/.project new file mode 100644 index 0000000..ae19acb --- /dev/null +++ b/WS24_25/SWTD/buch/target/classes/com/buch/.project @@ -0,0 +1,28 @@ + + + BuchRedesign + + + + + + org.eclipse.jdt.core.javabuilder + + + + + + org.eclipse.jdt.core.javanature + + + + 1606726140798 + + 30 + + org.eclipse.core.resources.regexFilterMatcher + node_modules|.git|__CREATED_BY_JAVA_LANGUAGE_SERVER__ + + + + diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/Main.class b/WS24_25/SWTD/buch/target/classes/com/buch/Main.class new file mode 100644 index 0000000..a87a622 Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/Main.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/datenhaltung/BuchDBDAO.class b/WS24_25/SWTD/buch/target/classes/com/buch/datenhaltung/BuchDBDAO.class new file mode 100644 index 0000000..826c084 Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/datenhaltung/BuchDBDAO.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/datenhaltung/BuchSerializeDAO.class b/WS24_25/SWTD/buch/target/classes/com/buch/datenhaltung/BuchSerializeDAO.class new file mode 100644 index 0000000..cfdc7b0 Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/datenhaltung/BuchSerializeDAO.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/datenhaltung/DatenException.class b/WS24_25/SWTD/buch/target/classes/com/buch/datenhaltung/DatenException.class new file mode 100644 index 0000000..e32f680 Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/datenhaltung/DatenException.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/datenhaltung/IBuchDAO.class b/WS24_25/SWTD/buch/target/classes/com/buch/datenhaltung/IBuchDAO.class new file mode 100644 index 0000000..3f9c925 Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/datenhaltung/IBuchDAO.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/derby.log b/WS24_25/SWTD/buch/target/classes/com/buch/derby.log new file mode 100644 index 0000000..d9a5d66 --- /dev/null +++ b/WS24_25/SWTD/buch/target/classes/com/buch/derby.log @@ -0,0 +1,94 @@ +Sun May 26 20:43:16 CEST 2013 Thread[AWT-EventQueue-0,6,main] Cleanup action starting +java.sql.SQLException: Die Datenbank '/home/dwiesmann/DB/buchDB' wurde nicht gefunden. + at org.apache.derby.impl.jdbc.SQLExceptionFactory40.getSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.Util.newEmbedSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.Util.newEmbedSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.Util.generateCsSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.EmbedConnection.newSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.EmbedConnection.handleDBNotFound(Unknown Source) + at org.apache.derby.impl.jdbc.EmbedConnection.(Unknown Source) + at org.apache.derby.impl.jdbc.EmbedConnection30.(Unknown Source) + at org.apache.derby.impl.jdbc.EmbedConnection40.(Unknown Source) + at org.apache.derby.jdbc.Driver40.getNewEmbedConnection(Unknown Source) + at org.apache.derby.jdbc.InternalDriver.connect(Unknown Source) + at org.apache.derby.jdbc.AutoloadedDriver.connect(Unknown Source) + at java.sql.DriverManager.getConnection(DriverManager.java:579) + at java.sql.DriverManager.getConnection(DriverManager.java:243) + at de.buch.datenhaltung.BuchDBDAO.open(BuchDBDAO.java:32) + at de.buch.datenhaltung.BuchDBDAO.laden(BuchDBDAO.java:43) + at de.buch.fachlogik.BuecherVerwaltung.laden(BuecherVerwaltung.java:31) + at de.buch.gui.Controller.laden(Controller.java:63) + at de.buch.gui.BuchHauptprogrammView$2.actionPerformed(BuchHauptprogrammView.java:36) + at java.awt.Button.processActionEvent(Button.java:409) + at java.awt.Button.processEvent(Button.java:377) + at java.awt.Component.dispatchEventImpl(Component.java:4861) + at java.awt.Component.dispatchEvent(Component.java:4687) + at java.awt.EventQueue.dispatchEventImpl(EventQueue.java:729) + at java.awt.EventQueue.access$200(EventQueue.java:103) + at java.awt.EventQueue$3.run(EventQueue.java:688) + at java.awt.EventQueue$3.run(EventQueue.java:686) + at java.security.AccessController.doPrivileged(Native Method) + at java.security.ProtectionDomain$1.doIntersectionPrivilege(ProtectionDomain.java:76) + at java.security.ProtectionDomain$1.doIntersectionPrivilege(ProtectionDomain.java:87) + at java.awt.EventQueue$4.run(EventQueue.java:702) + at java.awt.EventQueue$4.run(EventQueue.java:700) + at java.security.AccessController.doPrivileged(Native Method) + at java.security.ProtectionDomain$1.doIntersectionPrivilege(ProtectionDomain.java:76) + at java.awt.EventQueue.dispatchEvent(EventQueue.java:699) + at java.awt.EventDispatchThread.pumpOneEventForFilters(EventDispatchThread.java:242) + at java.awt.EventDispatchThread.pumpEventsForFilter(EventDispatchThread.java:161) + at java.awt.EventDispatchThread.pumpEventsForHierarchy(EventDispatchThread.java:150) + at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:146) + at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:138) + at java.awt.EventDispatchThread.run(EventDispatchThread.java:91) +Caused by: java.sql.SQLException: Die Datenbank '/home/dwiesmann/DB/buchDB' wurde nicht gefunden. + at org.apache.derby.impl.jdbc.SQLExceptionFactory.getSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.SQLExceptionFactory40.wrapArgsForTransportAcrossDRDA(Unknown Source) + ... 41 more +============= begin nested exception, level (1) =========== +java.sql.SQLException: Die Datenbank '/home/dwiesmann/DB/buchDB' wurde nicht gefunden. + at org.apache.derby.impl.jdbc.SQLExceptionFactory.getSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.SQLExceptionFactory40.wrapArgsForTransportAcrossDRDA(Unknown Source) + at org.apache.derby.impl.jdbc.SQLExceptionFactory40.getSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.Util.newEmbedSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.Util.newEmbedSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.Util.generateCsSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.EmbedConnection.newSQLException(Unknown Source) + at org.apache.derby.impl.jdbc.EmbedConnection.handleDBNotFound(Unknown Source) + at org.apache.derby.impl.jdbc.EmbedConnection.(Unknown Source) + at org.apache.derby.impl.jdbc.EmbedConnection30.(Unknown Source) + at org.apache.derby.impl.jdbc.EmbedConnection40.(Unknown Source) + at org.apache.derby.jdbc.Driver40.getNewEmbedConnection(Unknown Source) + at org.apache.derby.jdbc.InternalDriver.connect(Unknown Source) + at org.apache.derby.jdbc.AutoloadedDriver.connect(Unknown Source) + at java.sql.DriverManager.getConnection(DriverManager.java:579) + at java.sql.DriverManager.getConnection(DriverManager.java:243) + at de.buch.datenhaltung.BuchDBDAO.open(BuchDBDAO.java:32) + at de.buch.datenhaltung.BuchDBDAO.laden(BuchDBDAO.java:43) + at de.buch.fachlogik.BuecherVerwaltung.laden(BuecherVerwaltung.java:31) + at de.buch.gui.Controller.laden(Controller.java:63) + at de.buch.gui.BuchHauptprogrammView$2.actionPerformed(BuchHauptprogrammView.java:36) + at java.awt.Button.processActionEvent(Button.java:409) + at java.awt.Button.processEvent(Button.java:377) + at java.awt.Component.dispatchEventImpl(Component.java:4861) + at java.awt.Component.dispatchEvent(Component.java:4687) + at java.awt.EventQueue.dispatchEventImpl(EventQueue.java:729) + at java.awt.EventQueue.access$200(EventQueue.java:103) + at java.awt.EventQueue$3.run(EventQueue.java:688) + at java.awt.EventQueue$3.run(EventQueue.java:686) + at java.security.AccessController.doPrivileged(Native Method) + at java.security.ProtectionDomain$1.doIntersectionPrivilege(ProtectionDomain.java:76) + at java.security.ProtectionDomain$1.doIntersectionPrivilege(ProtectionDomain.java:87) + at java.awt.EventQueue$4.run(EventQueue.java:702) + at java.awt.EventQueue$4.run(EventQueue.java:700) + at java.security.AccessController.doPrivileged(Native Method) + at java.security.ProtectionDomain$1.doIntersectionPrivilege(ProtectionDomain.java:76) + at java.awt.EventQueue.dispatchEvent(EventQueue.java:699) + at java.awt.EventDispatchThread.pumpOneEventForFilters(EventDispatchThread.java:242) + at java.awt.EventDispatchThread.pumpEventsForFilter(EventDispatchThread.java:161) + at java.awt.EventDispatchThread.pumpEventsForHierarchy(EventDispatchThread.java:150) + at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:146) + at java.awt.EventDispatchThread.pumpEvents(EventDispatchThread.java:138) + at java.awt.EventDispatchThread.run(EventDispatchThread.java:91) +============= end nested exception, level (1) =========== +Cleanup action completed diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/fachlogik/Buch.class b/WS24_25/SWTD/buch/target/classes/com/buch/fachlogik/Buch.class new file mode 100644 index 0000000..936ea14 Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/fachlogik/Buch.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/fachlogik/BuecherVerwaltung.class b/WS24_25/SWTD/buch/target/classes/com/buch/fachlogik/BuecherVerwaltung.class new file mode 100644 index 0000000..af18ad2 Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/fachlogik/BuecherVerwaltung.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchErfassungView$1.class b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchErfassungView$1.class new file mode 100644 index 0000000..ab34d9d Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchErfassungView$1.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchErfassungView$2.class b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchErfassungView$2.class new file mode 100644 index 0000000..9e18861 Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchErfassungView$2.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchErfassungView.class b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchErfassungView.class new file mode 100644 index 0000000..0cad402 Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchErfassungView.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchHauptprogrammView$1.class b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchHauptprogrammView$1.class new file mode 100644 index 0000000..bbdf3e8 Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchHauptprogrammView$1.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchHauptprogrammView$2.class b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchHauptprogrammView$2.class new file mode 100644 index 0000000..ea709ec Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchHauptprogrammView$2.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchHauptprogrammView$3.class b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchHauptprogrammView$3.class new file mode 100644 index 0000000..e9cc84a Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchHauptprogrammView$3.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchHauptprogrammView$4.class b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchHauptprogrammView$4.class new file mode 100644 index 0000000..cc6727d Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchHauptprogrammView$4.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchHauptprogrammView$5.class b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchHauptprogrammView$5.class new file mode 100644 index 0000000..ac81f7c Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchHauptprogrammView$5.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchHauptprogrammView.class b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchHauptprogrammView.class new file mode 100644 index 0000000..a2706f9 Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchHauptprogrammView.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchListeView$1.class b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchListeView$1.class new file mode 100644 index 0000000..37b1cc2 Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchListeView$1.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchListeView$2.class b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchListeView$2.class new file mode 100644 index 0000000..d87c1c1 Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchListeView$2.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchListeView$3.class b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchListeView$3.class new file mode 100644 index 0000000..c8947de Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchListeView$3.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchListeView$4.class b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchListeView$4.class new file mode 100644 index 0000000..40937e8 Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchListeView$4.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchListeView.class b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchListeView.class new file mode 100644 index 0000000..0d580ae Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/gui/BuchListeView.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/gui/Controller$ErfassungAendernStrategie.class b/WS24_25/SWTD/buch/target/classes/com/buch/gui/Controller$ErfassungAendernStrategie.class new file mode 100644 index 0000000..06458d1 Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/gui/Controller$ErfassungAendernStrategie.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/gui/Controller$ErfassungNeuStrategie.class b/WS24_25/SWTD/buch/target/classes/com/buch/gui/Controller$ErfassungNeuStrategie.class new file mode 100644 index 0000000..1bbaae4 Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/gui/Controller$ErfassungNeuStrategie.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/gui/Controller$ErfassungStrategie.class b/WS24_25/SWTD/buch/target/classes/com/buch/gui/Controller$ErfassungStrategie.class new file mode 100644 index 0000000..5993f9e Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/gui/Controller$ErfassungStrategie.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/gui/Controller.class b/WS24_25/SWTD/buch/target/classes/com/buch/gui/Controller.class new file mode 100644 index 0000000..7b62a18 Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/gui/Controller.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/gui/InfoView$1.class b/WS24_25/SWTD/buch/target/classes/com/buch/gui/InfoView$1.class new file mode 100644 index 0000000..8131d01 Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/gui/InfoView$1.class differ diff --git a/WS24_25/SWTD/buch/target/classes/com/buch/gui/InfoView.class b/WS24_25/SWTD/buch/target/classes/com/buch/gui/InfoView.class new file mode 100644 index 0000000..57103fe Binary files /dev/null and b/WS24_25/SWTD/buch/target/classes/com/buch/gui/InfoView.class differ diff --git a/WS24_25/SWTD/buch/target/jacoco.exec b/WS24_25/SWTD/buch/target/jacoco.exec new file mode 100644 index 0000000..450f407 Binary files /dev/null and b/WS24_25/SWTD/buch/target/jacoco.exec differ diff --git a/WS24_25/SWTD/buch/target/maven-status/maven-compiler-plugin/compile/default-compile/createdFiles.lst b/WS24_25/SWTD/buch/target/maven-status/maven-compiler-plugin/compile/default-compile/createdFiles.lst new file mode 100644 index 0000000..4576235 --- /dev/null +++ b/WS24_25/SWTD/buch/target/maven-status/maven-compiler-plugin/compile/default-compile/createdFiles.lst @@ -0,0 +1,27 @@ +com/buch/gui/BuchErfassungView.class +com/buch/gui/Controller$ErfassungStrategie.class +com/buch/datenhaltung/DatenException.class +com/buch/gui/BuchListeView$2.class +com/buch/gui/BuchListeView$4.class +com/buch/gui/BuchHauptprogrammView$1.class +com/buch/gui/BuchListeView.class +com/buch/gui/Controller$ErfassungNeuStrategie.class +com/buch/fachlogik/BuecherVerwaltung.class +com/buch/gui/BuchHauptprogrammView$2.class +com/buch/gui/BuchErfassungView$2.class +com/buch/gui/InfoView$1.class +com/buch/datenhaltung/BuchDBDAO.class +com/buch/gui/Controller.class +com/buch/gui/BuchHauptprogrammView$4.class +com/buch/gui/BuchListeView$3.class +com/buch/gui/BuchHauptprogrammView$5.class +com/buch/Main.class +com/buch/gui/BuchListeView$1.class +com/buch/datenhaltung/BuchSerializeDAO.class +com/buch/gui/Controller$ErfassungAendernStrategie.class +com/buch/gui/InfoView.class +com/buch/fachlogik/Buch.class +com/buch/gui/BuchErfassungView$1.class +com/buch/gui/BuchHauptprogrammView$3.class +com/buch/datenhaltung/IBuchDAO.class +com/buch/gui/BuchHauptprogrammView.class diff --git a/WS24_25/SWTD/buch/target/maven-status/maven-compiler-plugin/compile/default-compile/inputFiles.lst b/WS24_25/SWTD/buch/target/maven-status/maven-compiler-plugin/compile/default-compile/inputFiles.lst new file mode 100644 index 0000000..e7e3ae0 --- /dev/null +++ b/WS24_25/SWTD/buch/target/maven-status/maven-compiler-plugin/compile/default-compile/inputFiles.lst @@ -0,0 +1,12 @@ +/home/jordi/FH/WS24_25/SWTD/buch/src/main/java/com/buch/Main.java +/home/jordi/FH/WS24_25/SWTD/buch/src/main/java/com/buch/datenhaltung/BuchDBDAO.java +/home/jordi/FH/WS24_25/SWTD/buch/src/main/java/com/buch/datenhaltung/BuchSerializeDAO.java +/home/jordi/FH/WS24_25/SWTD/buch/src/main/java/com/buch/datenhaltung/DatenException.java +/home/jordi/FH/WS24_25/SWTD/buch/src/main/java/com/buch/datenhaltung/IBuchDAO.java +/home/jordi/FH/WS24_25/SWTD/buch/src/main/java/com/buch/fachlogik/Buch.java +/home/jordi/FH/WS24_25/SWTD/buch/src/main/java/com/buch/fachlogik/BuecherVerwaltung.java +/home/jordi/FH/WS24_25/SWTD/buch/src/main/java/com/buch/gui/BuchErfassungView.java +/home/jordi/FH/WS24_25/SWTD/buch/src/main/java/com/buch/gui/BuchHauptprogrammView.java +/home/jordi/FH/WS24_25/SWTD/buch/src/main/java/com/buch/gui/BuchListeView.java +/home/jordi/FH/WS24_25/SWTD/buch/src/main/java/com/buch/gui/Controller.java +/home/jordi/FH/WS24_25/SWTD/buch/src/main/java/com/buch/gui/InfoView.java diff --git a/WS24_25/SWTD/buch/target/maven-status/maven-compiler-plugin/testCompile/default-testCompile/createdFiles.lst b/WS24_25/SWTD/buch/target/maven-status/maven-compiler-plugin/testCompile/default-testCompile/createdFiles.lst new file mode 100644 index 0000000..b395053 --- /dev/null +++ b/WS24_25/SWTD/buch/target/maven-status/maven-compiler-plugin/testCompile/default-testCompile/createdFiles.lst @@ -0,0 +1 @@ +HelloTest.class diff --git a/WS24_25/SWTD/buch/target/maven-status/maven-compiler-plugin/testCompile/default-testCompile/inputFiles.lst b/WS24_25/SWTD/buch/target/maven-status/maven-compiler-plugin/testCompile/default-testCompile/inputFiles.lst new file mode 100644 index 0000000..fc26933 --- /dev/null +++ b/WS24_25/SWTD/buch/target/maven-status/maven-compiler-plugin/testCompile/default-testCompile/inputFiles.lst @@ -0,0 +1 @@ +/home/jordi/FH/WS24_25/SWTD/buch/src/test/java/HelloTest.java diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/BuchDBDAO.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/BuchDBDAO.html new file mode 100644 index 0000000..570bfcc --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/BuchDBDAO.html @@ -0,0 +1 @@ +BuchDBDAO

BuchDBDAO

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total132 of 1320%4 of 40%66474744
laden()590%20%22191911
speichern(List)440%20%22151511
open()160%n/a116611
BuchDBDAO(String)130%n/a117711
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/BuchDBDAO.java.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/BuchDBDAO.java.html new file mode 100644 index 0000000..00a4dce --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/BuchDBDAO.java.html @@ -0,0 +1,92 @@ +BuchDBDAO.java

BuchDBDAO.java

package com.buch.datenhaltung;
+
+import java.sql.Connection;
+import java.sql.DriverManager;
+import java.sql.ResultSet;
+import java.sql.SQLException;
+import java.sql.Statement;
+import java.util.LinkedList;
+import java.util.List;
+
+import com.buch.fachlogik.Buch;
+ 
+/**
+  * Ein DAO für die Klasse Buch. Das DAO realisiert einen Zugriff auf eine
+  * relationale Derby-Datenbank. Die Datenbank muss breits existieren.
+  */
+public class BuchDBDAO implements IBuchDAO{
+    private Connection conn;
+    private String dbname;
+	
+	public BuchDBDAO(String dbname){
+		this.dbname = dbname;
+		try {
+			Class.forName("org.apache.derby.jdbc.EmbeddedDriver");
+		} catch (ClassNotFoundException e) {
+			e.printStackTrace();
+		}
+	}
+	
+	private void open() throws DatenException{
+		try {
+			conn = DriverManager.getConnection("jdbc:derby:"+dbname);
+		} catch (SQLException e) {
+			e.printStackTrace();
+			throw new DatenException("Keine DB-Verbindung");
+		}
+	}
+	
+	@Override
+	public List<Buch> laden() throws DatenException {
+		Statement s=null;
+		List<Buch> liste = new LinkedList<Buch>();
+		open();
+		try {
+			s = conn.createStatement();
+			ResultSet rs = s.executeQuery("SELECT * FROM buch");
+			while(rs.next()){
+				long id = rs.getLong(1);
+				String name = rs.getString(2).trim();
+				float preis = rs.getFloat(3);
+				Buch buch = new Buch(id, name, preis);
+				liste.add(buch);
+			}
+		} catch (SQLException e) {
+			throw new DatenException("Fehler beim Lesen aus DB");
+		} finally{
+			try {
+				s.close();
+				conn.close();
+			} catch (SQLException e) {
+			}
+		}
+		return liste;
+	}
+
+	@Override
+	public void speichern(List<Buch> liste) throws DatenException {
+		Statement s = null;
+		open();
+		try{
+			s = conn.createStatement();
+			s.executeUpdate("DELETE FROM buch WHERE id > -1");
+			for(Buch buch : liste){
+			   s.executeUpdate("INSERT INTO buch VALUES (" + buch.getID() + ",'"
+			                   + buch.getTitel() + "'," + buch.getPreis()+")");	
+			}
+		} catch (SQLException e){
+			e.printStackTrace();
+		} finally{
+			try {
+				s.close();
+				conn.close();
+			} catch (SQLException e) {
+			}
+			
+		}
+		
+	}
+
+
+}
+
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/BuchSerializeDAO.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/BuchSerializeDAO.html new file mode 100644 index 0000000..e2e6ae5 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/BuchSerializeDAO.html @@ -0,0 +1 @@ +BuchSerializeDAO

BuchSerializeDAO

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total72 of 720%2 of 20%44272733
laden()390%20%22141411
speichern(List)270%n/a11101011
BuchSerializeDAO(File)60%n/a113311
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/BuchSerializeDAO.java.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/BuchSerializeDAO.java.html new file mode 100644 index 0000000..569950f --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/BuchSerializeDAO.java.html @@ -0,0 +1,63 @@ +BuchSerializeDAO.java

BuchSerializeDAO.java

package com.buch.datenhaltung;
+
+import java.io.File;
+import java.io.FileInputStream;
+import java.io.FileOutputStream;
+import java.io.IOException;
+import java.io.ObjectInputStream;
+import java.io.ObjectOutputStream;
+import java.util.LinkedList;
+import java.util.List;
+
+import com.buch.fachlogik.Buch;
+
+public class BuchSerializeDAO implements IBuchDAO {
+	private File f;
+
+	public BuchSerializeDAO(File f) {
+		this.f = f;
+	}
+
+	@SuppressWarnings("unchecked")
+	public List<Buch> laden() throws DatenException {
+		List<Buch> liste = null;
+		ObjectInputStream ois = null;
+		try {
+			FileInputStream fis = new FileInputStream(f);
+			ois = new ObjectInputStream(fis);
+			liste = ((List<Buch>) ois.readObject());
+		} catch (Exception e) {
+			e.printStackTrace();
+			throw new DatenException("Laden nicht möglich.");
+		} finally {
+			try {
+				ois.close();
+			} catch (IOException e) {
+			}
+		}
+		if (liste == null) {
+			liste = new LinkedList<Buch>();
+		}
+		return liste;
+	}
+
+	public void speichern(List<Buch> liste) throws DatenException {
+		ObjectOutputStream oos = null;
+
+		try {
+			FileOutputStream fos = new FileOutputStream(f);
+			oos = new ObjectOutputStream(fos);
+			oos.writeObject(liste);
+		} catch (Exception e) {
+			throw new DatenException("Laden nicht möglich");
+		} finally {
+			try {
+				oos.close();
+			} catch (IOException e) {
+
+			}
+		}
+	}
+
+}
+
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/DatenException.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/DatenException.html new file mode 100644 index 0000000..4f96c11 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/DatenException.html @@ -0,0 +1 @@ +DatenException

DatenException

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total4 of 40%0 of 0n/a112211
DatenException(String)40%n/a112211
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/DatenException.java.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/DatenException.java.html new file mode 100644 index 0000000..4d6c9c3 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/DatenException.java.html @@ -0,0 +1,12 @@ +DatenException.java

DatenException.java

package com.buch.datenhaltung;
+
+public class DatenException extends Exception {
+
+	private static final long serialVersionUID = 1L;
+
+	public DatenException(String msg) {
+		super(msg);
+	}
+
+}
+
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/index.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/index.html new file mode 100644 index 0000000..50b86f5 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/index.html @@ -0,0 +1 @@ +com.buch.datenhaltung

com.buch.datenhaltung

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethodsMissedClasses
Total208 of 2080%6 of 60%111176768833
BuchDBDAO1320%40%6647474411
BuchSerializeDAO720%20%4427273311
DatenException40%n/a11221111
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/index.source.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/index.source.html new file mode 100644 index 0000000..1a6a77e --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.datenhaltung/index.source.html @@ -0,0 +1 @@ +com.buch.datenhaltung

com.buch.datenhaltung

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethodsMissedClasses
Total208 of 2080%6 of 60%111176768833
BuchDBDAO.java1320%40%6647474411
BuchSerializeDAO.java720%20%4427273311
DatenException.java40%n/a11221111
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.fachlogik/Buch.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.fachlogik/Buch.html new file mode 100644 index 0000000..f7fd969 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.fachlogik/Buch.html @@ -0,0 +1 @@ +Buch

Buch

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total58 of 580%2 of 20%99212188
Buch(long, String, float)220%20%227711
Buch()100%n/a113311
Buch(String, float)90%n/a114411
setTitel(String)40%n/a112211
setPreis(float)40%n/a112211
getID()30%n/a111111
getTitel()30%n/a111111
getPreis()30%n/a111111
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.fachlogik/Buch.java.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.fachlogik/Buch.java.html new file mode 100644 index 0000000..474a95d --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.fachlogik/Buch.java.html @@ -0,0 +1,55 @@ +Buch.java

Buch.java

package com.buch.fachlogik;
+
+import java.io.Serializable;
+
+public class Buch implements Serializable{
+	
+	private static final long serialVersionUID = 7990859856056431852L;
+	
+	private static long oid;
+	private long id;
+    private String titel;
+    private float preis;
+    
+    public Buch(){
+    	id=oid++;
+    }
+
+    public Buch(String titel, float preis){	
+    	this();
+    	this.titel = titel;
+    	this.preis = preis; 	
+    }
+    
+    public Buch(long id, String titel, float preis){	
+    	this.id = id;
+    	if(this.id > oid){
+    		oid = this.id + 1;
+    	}
+    	this.titel = titel;
+    	this.preis = preis; 	
+    }
+    
+    
+    public long getID(){
+    	return id;
+    }
+
+	public String getTitel() {
+		return titel;
+	}
+
+	public void setTitel(String titel) {
+		this.titel = titel;
+	}
+
+	public float getPreis() {
+		return preis;
+	}
+
+	public void setPreis(float preis) {
+		this.preis = preis;
+	}
+
+}
+
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.fachlogik/BuecherVerwaltung.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.fachlogik/BuecherVerwaltung.html new file mode 100644 index 0000000..1a1609a --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.fachlogik/BuecherVerwaltung.html @@ -0,0 +1 @@ +BuecherVerwaltung

BuecherVerwaltung

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total38 of 380%0 of 0n/a66121266
BuecherVerwaltung(IBuchDAO)110%n/a114411
add(Buch)60%n/a112211
getBuch(int)60%n/a111111
laden()60%n/a112211
speichern()60%n/a112211
getBuchliste()30%n/a111111
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.fachlogik/BuecherVerwaltung.java.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.fachlogik/BuecherVerwaltung.java.html new file mode 100644 index 0000000..d88fc42 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.fachlogik/BuecherVerwaltung.java.html @@ -0,0 +1,38 @@ +BuecherVerwaltung.java

BuecherVerwaltung.java

package com.buch.fachlogik;
+
+import java.util.LinkedList;
+import java.util.List;
+
+import com.buch.datenhaltung.DatenException;
+import com.buch.datenhaltung.IBuchDAO;
+
+public class BuecherVerwaltung {
+  private List<Buch> liste;
+  private IBuchDAO dao;
+  
+  public BuecherVerwaltung(IBuchDAO dao){
+	  liste = new LinkedList<Buch>();
+	  this.dao = dao;
+  }
+  
+  public void add(Buch b){
+	  liste.add(b);
+  }
+  
+  public Buch getBuch(int index){
+	  return liste.get(index);
+  }
+  
+  public List<Buch> getBuchliste(){
+	  return liste;
+  }
+
+  public void laden() throws DatenException{
+	  liste=dao.laden();
+  }
+  
+  public void speichern() throws DatenException{
+	  dao.speichern(liste);
+  }
+}
+
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.fachlogik/index.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.fachlogik/index.html new file mode 100644 index 0000000..a6c26e3 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.fachlogik/index.html @@ -0,0 +1 @@ +com.buch.fachlogik

com.buch.fachlogik

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethodsMissedClasses
Total96 of 960%2 of 20%15153333141422
Buch580%20%9921218811
BuecherVerwaltung380%n/a6612126611
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.fachlogik/index.source.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.fachlogik/index.source.html new file mode 100644 index 0000000..2c85657 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.fachlogik/index.source.html @@ -0,0 +1 @@ +com.buch.fachlogik

com.buch.fachlogik

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethodsMissedClasses
Total96 of 960%2 of 20%15153333141422
Buch.java580%20%9921218811
BuecherVerwaltung.java380%n/a6612126611
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchErfassungView$1.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchErfassungView$1.html new file mode 100644 index 0000000..9f3372d --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchErfassungView$1.html @@ -0,0 +1 @@ +BuchErfassungView.new ActionListener() {...}

BuchErfassungView.new ActionListener() {...}

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total20 of 200%0 of 0n/a225522
actionPerformed(ActionEvent)140%n/a114411
{...}60%n/a111111
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchErfassungView$2.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchErfassungView$2.html new file mode 100644 index 0000000..731ae9c --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchErfassungView$2.html @@ -0,0 +1 @@ +BuchErfassungView.new ActionListener() {...}

BuchErfassungView.new ActionListener() {...}

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total14 of 140%0 of 0n/a224422
actionPerformed(ActionEvent)80%n/a113311
{...}60%n/a111111
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchErfassungView.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchErfassungView.html new file mode 100644 index 0000000..93040b2 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchErfassungView.html @@ -0,0 +1 @@ +BuchErfassungView

BuchErfassungView

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total205 of 2050%2 of 20%77494966
createPanel()780%20%22151511
BuchErfassungView(Frame, Controller, Buch)440%n/a11111111
createButtonPanel()360%n/a118811
save()270%n/a119911
update()140%n/a113311
close()60%n/a113311
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchErfassungView.java.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchErfassungView.java.html new file mode 100644 index 0000000..e447912 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchErfassungView.java.html @@ -0,0 +1,99 @@ +BuchErfassungView.java

BuchErfassungView.java

package com.buch.gui;
+
+import java.awt.*;
+import java.awt.event.*;
+
+import com.buch.fachlogik.Buch;
+
+public class BuchErfassungView extends Dialog {
+
+	private static final long serialVersionUID = 1L;
+	private Buch buch;
+	private Controller controller;
+	private TextField tf_name;
+	private TextField tf_preis;
+
+	public BuchErfassungView(Frame mainwindow, Controller controller, Buch buch) {
+		super(mainwindow, "Bucherfassung", true);
+		this.buch = buch;
+		this.controller = controller;
+		setSize(290, 150);
+		setLocation(150,100);
+		Panel mainPanel = new Panel(new FlowLayout());
+		mainPanel.add(createPanel());
+		add(mainPanel);
+		add(createButtonPanel(), BorderLayout.SOUTH);
+		setVisible(true);
+	}
+
+	private Panel createPanel() {
+		Panel p = new Panel();
+		p.setLayout(new GridLayout(2, 1));
+
+		Panel ptop = new Panel(new FlowLayout(FlowLayout.RIGHT));
+		ptop.add(new Label("Titel:"));
+		tf_name = new TextField(15);
+		ptop.add(tf_name);
+
+		Panel pbottom = new Panel(new FlowLayout(FlowLayout.RIGHT));
+		tf_preis = new TextField(15);
+		pbottom.add(new Label("Preis:"));
+		pbottom.add(tf_preis);
+
+		if (buch != null) {
+			update();
+		}
+
+		p.add(ptop);
+		p.add(pbottom);
+		return p;
+	}
+
+	private Panel createButtonPanel() {
+		Panel footer = new Panel();
+		Button button_speichern = new Button("Speichern");
+		button_speichern.addActionListener(new ActionListener() {
+			public void actionPerformed(ActionEvent e) {
+				save();
+				close();
+				controller.erfassenPerformed(buch);
+			}
+		});
+		footer.add(button_speichern);
+
+		Button button_abr = new Button("Abbrechen");
+		button_abr.addActionListener(new ActionListener() {
+			@Override
+			public void actionPerformed(ActionEvent e) {
+				setVisible(false);
+				dispose();
+			}
+		});
+		footer.add(button_abr);
+		return footer;
+	}
+
+	private void update() {
+		tf_name.setText(buch.getTitel());
+		tf_preis.setText(String.valueOf(buch.getPreis()));
+	}
+
+	private void save() {
+		try {
+			String name = tf_name.getText();
+			buch.setTitel(name);
+			float preis = Float.parseFloat(tf_preis.getText());
+			buch.setPreis(preis);
+		} catch (NumberFormatException a) {
+			close();
+			controller.erfassenFehler(buch);
+		}
+	}
+
+	private void close() {
+		setVisible(false);
+		dispose();
+	}
+
+}
+
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchHauptprogrammView$1.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchHauptprogrammView$1.html new file mode 100644 index 0000000..293ab78 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchHauptprogrammView$1.html @@ -0,0 +1 @@ +BuchHauptprogrammView.new ActionListener() {...}

BuchHauptprogrammView.new ActionListener() {...}

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total11 of 110%0 of 0n/a223322
{...}60%n/a111111
actionPerformed(ActionEvent)50%n/a112211
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchHauptprogrammView$2.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchHauptprogrammView$2.html new file mode 100644 index 0000000..6e5c53c --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchHauptprogrammView$2.html @@ -0,0 +1 @@ +BuchHauptprogrammView.new ActionListener() {...}

BuchHauptprogrammView.new ActionListener() {...}

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total11 of 110%0 of 0n/a223322
{...}60%n/a111111
actionPerformed(ActionEvent)50%n/a112211
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchHauptprogrammView$3.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchHauptprogrammView$3.html new file mode 100644 index 0000000..39760cb --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchHauptprogrammView$3.html @@ -0,0 +1 @@ +BuchHauptprogrammView.new ActionListener() {...}

BuchHauptprogrammView.new ActionListener() {...}

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total11 of 110%0 of 0n/a223322
{...}60%n/a111111
actionPerformed(ActionEvent)50%n/a112211
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchHauptprogrammView$4.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchHauptprogrammView$4.html new file mode 100644 index 0000000..c895202 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchHauptprogrammView$4.html @@ -0,0 +1 @@ +BuchHauptprogrammView.new ActionListener() {...}

BuchHauptprogrammView.new ActionListener() {...}

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total11 of 110%0 of 0n/a223322
{...}60%n/a111111
actionPerformed(ActionEvent)50%n/a112211
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchHauptprogrammView$5.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchHauptprogrammView$5.html new file mode 100644 index 0000000..bc49e25 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchHauptprogrammView$5.html @@ -0,0 +1 @@ +BuchHauptprogrammView.new ActionListener() {...}

BuchHauptprogrammView.new ActionListener() {...}

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total11 of 110%0 of 0n/a223322
{...}60%n/a111111
actionPerformed(ActionEvent)50%n/a112211
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchHauptprogrammView.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchHauptprogrammView.html new file mode 100644 index 0000000..e84c6ec --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchHauptprogrammView.html @@ -0,0 +1 @@ +BuchHauptprogrammView

BuchHauptprogrammView

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total128 of 1280%0 of 0n/a33282833
createButtonPanel()860%n/a11171711
BuchHauptprogrammView(Controller)230%n/a117711
main(String[])190%n/a114411
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchHauptprogrammView.java.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchHauptprogrammView.java.html new file mode 100644 index 0000000..6f05954 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchHauptprogrammView.java.html @@ -0,0 +1,76 @@ +BuchHauptprogrammView.java

BuchHauptprogrammView.java

package com.buch.gui;
+
+import java.awt.*;
+import java.awt.event.ActionEvent;
+import java.awt.event.ActionListener;
+import java.io.File;
+
+import com.buch.datenhaltung.*;
+import com.buch.fachlogik.BuecherVerwaltung;
+
+
+public class BuchHauptprogrammView extends Frame {
+
+	private static final long serialVersionUID = 1L;
+	private Controller controller;
+
+	public BuchHauptprogrammView(Controller controller) {
+		super("Buchverwaltung");
+		this.controller = controller;
+		setSize(250, 290);
+		setLocation(50,100);
+		add(createButtonPanel());
+		setVisible(true);
+	}
+
+	private Panel createButtonPanel() {
+		Panel p = new Panel(new GridLayout(5, 1));
+		Button neu = new Button("Neu");
+		neu.addActionListener(new ActionListener() {
+			public void actionPerformed(ActionEvent e) {
+				controller.neu();
+			}
+		});
+		Button laden = new Button("Laden");
+		laden.addActionListener(new ActionListener() {
+			public void actionPerformed(ActionEvent e) {
+				controller.laden();
+			}
+
+		});
+		Button listen = new Button("Liste");
+		listen.addActionListener(new ActionListener() {
+			public void actionPerformed(ActionEvent e) {
+				controller.liste();
+			}
+		});
+		Button speicher = new Button("Speichern");
+		speicher.addActionListener(new ActionListener() {
+			public void actionPerformed(ActionEvent e) {
+				controller.speichern();
+			}
+
+		});
+		Button abr = new Button("Fertig");
+		abr.addActionListener(new ActionListener() {
+			public void actionPerformed(ActionEvent e) {
+				controller.fertig();
+			}
+		});
+		p.add(neu);
+		p.add(laden);
+		p.add(listen);
+		p.add(speicher);
+		p.add(abr);
+		return p;
+	}
+
+	public static void main(String[] args) {
+		BuecherVerwaltung buchliste = new BuecherVerwaltung(new BuchSerializeDAO(new File("/Users/dwiesmann/IO/buchliste.ser")));
+		//BuecherVerwaltung buchliste = new BuecherVerwaltung(new BuchDBDAO("/home/dwiesmann/DB/buchDB"));
+		Controller controller = new Controller(buchliste);
+		controller.start();
+
+	}
+}
+
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchListeView$1.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchListeView$1.html new file mode 100644 index 0000000..0412222 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchListeView$1.html @@ -0,0 +1 @@ +BuchListeView.new ActionListener() {...}

BuchListeView.new ActionListener() {...}

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total22 of 220%2 of 20%335522
actionPerformed(ActionEvent)160%20%224411
{...}60%n/a111111
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchListeView$2.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchListeView$2.html new file mode 100644 index 0000000..e2b110e --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchListeView$2.html @@ -0,0 +1 @@ +BuchListeView.new ActionListener() {...}

BuchListeView.new ActionListener() {...}

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total10 of 100%0 of 0n/a223322
{...}60%n/a111111
actionPerformed(ActionEvent)40%n/a112211
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchListeView$3.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchListeView$3.html new file mode 100644 index 0000000..449a2f7 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchListeView$3.html @@ -0,0 +1 @@ +BuchListeView.new ActionListener() {...}

BuchListeView.new ActionListener() {...}

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total30 of 300%2 of 20%337722
actionPerformed(ActionEvent)240%20%226611
{...}60%n/a111111
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchListeView$4.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchListeView$4.html new file mode 100644 index 0000000..34c71ce --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchListeView$4.html @@ -0,0 +1 @@ +BuchListeView.new ItemListener() {...}

BuchListeView.new ItemListener() {...}

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total14 of 140%0 of 0n/a223322
itemStateChanged(ItemEvent)80%n/a112211
{...}60%n/a111111
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchListeView.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchListeView.html new file mode 100644 index 0000000..69635da --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchListeView.html @@ -0,0 +1 @@ +BuchListeView

BuchListeView

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total135 of 1350%4 of 40%55313133
createListenPanel()980%40%33191911
BuchListeView(Frame, Controller, List)310%n/a119911
close()60%n/a113311
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchListeView.java.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchListeView.java.html new file mode 100644 index 0000000..15f28df --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/BuchListeView.java.html @@ -0,0 +1,89 @@ +BuchListeView.java

BuchListeView.java

package com.buch.gui;
+
+import java.awt.*;
+import java.awt.event.ActionEvent;
+import java.awt.event.ActionListener;
+import java.awt.event.ItemEvent;
+import java.awt.event.ItemListener;
+
+import com.buch.fachlogik.Buch;
+
+public class BuchListeView extends Dialog {
+	
+	private static final long serialVersionUID = 1L;
+	
+	private Controller controller;
+	private List liste;
+	private java.util.List<Buch> buchliste;
+	private int selectedIndex;
+
+	public BuchListeView(Frame mainwindow, Controller controller, java.util.List<Buch> buchliste) {
+		super(mainwindow, "Buchliste", true);
+		this.controller = controller;
+		this.buchliste = buchliste;
+		selectedIndex = -1;
+		add(createListenPanel());
+		setSize(400, 500);
+		setLocation(150, 50);
+		setVisible(true);
+	}
+
+	private Panel createListenPanel() {
+		Panel panel_main = new Panel();
+		panel_main.setLayout(new BorderLayout());
+		Panel panel_button = new Panel();
+		
+		Button button_aendern = new Button("Ändern");
+		button_aendern.addActionListener(new ActionListener(){
+			public void actionPerformed(ActionEvent e){
+				if (selectedIndex > -1){
+					close();
+					controller.aendern(selectedIndex);
+				}
+			}
+		});
+		
+		Button button_abbrechen = new Button("Abbrechen");
+		button_abbrechen.addActionListener(new ActionListener(){
+			public void actionPerformed(ActionEvent e) {
+				close();
+			}
+			
+		});
+		panel_button.add(button_aendern);
+		panel_button.add(button_abbrechen);
+		liste = new List(20, false);
+		liste.addActionListener(new ActionListener(){
+			public void actionPerformed(ActionEvent e){
+		      Object obj = e.getSource();
+		      if(obj instanceof List){
+		    	  selectedIndex =  ((List)e.getSource()).getSelectedIndex();
+		    	  close();
+		    	  controller.aendern(selectedIndex);
+		    	  
+		      }
+			}
+		});
+		liste.addItemListener(new ItemListener() {
+			public void itemStateChanged(ItemEvent e) {
+				selectedIndex = ((Integer) e.getItem()).intValue();
+			}
+		});
+		
+		if (buchliste != null) {
+			for (Buch b : buchliste) {
+				liste.add(b.getTitel() + "   " + b.getPreis());
+			}
+		}
+		panel_main.add(liste, BorderLayout.CENTER);
+		panel_main.add(panel_button, BorderLayout.SOUTH);
+		return panel_main;
+	}
+
+	private void close() {
+		setVisible(false);
+		dispose();
+	}
+
+}
+
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/Controller$ErfassungAendernStrategie.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/Controller$ErfassungAendernStrategie.html new file mode 100644 index 0000000..9a57508 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/Controller$ErfassungAendernStrategie.html @@ -0,0 +1 @@ +Controller.ErfassungAendernStrategie

Controller.ErfassungAendernStrategie

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total8 of 80%0 of 0n/a222222
Controller.ErfassungAendernStrategie(Controller)70%n/a111111
erfassenPerformed(Buch)10%n/a111111
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/Controller$ErfassungNeuStrategie.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/Controller$ErfassungNeuStrategie.html new file mode 100644 index 0000000..2ae7cce --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/Controller$ErfassungNeuStrategie.html @@ -0,0 +1 @@ +Controller.ErfassungNeuStrategie

Controller.ErfassungNeuStrategie

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total13 of 130%0 of 0n/a223322
Controller.ErfassungNeuStrategie(Controller)70%n/a111111
erfassenPerformed(Buch)60%n/a112211
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/Controller$ErfassungStrategie.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/Controller$ErfassungStrategie.html new file mode 100644 index 0000000..8c59608 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/Controller$ErfassungStrategie.html @@ -0,0 +1 @@ +Controller.ErfassungStrategie

Controller.ErfassungStrategie

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total17 of 170%0 of 0n/a223322
erfassen(Buch)110%n/a112211
Controller.ErfassungStrategie(Controller)60%n/a111111
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/Controller.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/Controller.html new file mode 100644 index 0000000..08b5c79 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/Controller.html @@ -0,0 +1 @@ +Controller

Controller

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total124 of 1240%0 of 0n/a101035351010
laden()200%n/a116611
speichern()200%n/a116611
liste()170%n/a113311
aendern(int)140%n/a113311
neu()130%n/a113311
erfassenFehler(Buch)120%n/a113311
fertig()100%n/a114411
start()70%n/a112211
Controller(BuecherVerwaltung)60%n/a113311
erfassenPerformed(Buch)50%n/a112211
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/Controller.java.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/Controller.java.html new file mode 100644 index 0000000..7bfebe1 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/Controller.java.html @@ -0,0 +1,92 @@ +Controller.java

Controller.java

package com.buch.gui;
+
+import com.buch.datenhaltung.DatenException;
+import com.buch.fachlogik.Buch;
+import com.buch.fachlogik.BuecherVerwaltung;
+
+public class Controller {
+	private BuecherVerwaltung buchliste;
+	private BuchHauptprogrammView gui;
+	private ErfassungStrategie strategie;
+
+	public Controller(BuecherVerwaltung buchliste) {
+		this.buchliste = buchliste;
+	}
+
+	public void start() {
+		gui = new BuchHauptprogrammView(this);
+	}
+
+	private abstract class ErfassungStrategie {
+		public void erfassen(Buch buch) {
+			new BuchErfassungView(gui, Controller.this, buch);
+		}
+
+		public abstract void erfassenPerformed(Buch buch);
+	}
+
+	private class ErfassungNeuStrategie extends ErfassungStrategie {
+		@Override
+		public void erfassenPerformed(Buch buch) {
+			buchliste.add(buch);
+		}
+	}
+	
+	private class ErfassungAendernStrategie extends ErfassungStrategie{
+		@Override
+		public void erfassenPerformed(Buch buch) {
+			
+		}		
+	}
+	
+	public void neu(){
+		strategie = new ErfassungNeuStrategie();
+		strategie.erfassen(new Buch());
+	}
+
+	public void aendern(int index) {
+		strategie = new ErfassungAendernStrategie();
+		strategie.erfassen(buchliste.getBuch(index));
+	}
+
+	public void erfassenPerformed(Buch buch) {
+		strategie.erfassenPerformed(buch);
+	}
+	
+	public void erfassenFehler(Buch buch){
+		new InfoView(gui, "Bitte ein gültige Zahl eingeben");
+		strategie.erfassen(buch);
+	}
+
+	public void laden() {
+		try {
+			buchliste.laden();
+			new InfoView(gui, "Daten wurden geladen.");
+		} catch (DatenException e) {
+			new InfoView(gui, "Fehler: Daten konnten nicht geladen werden!");
+		}
+	}
+
+	public void liste() {
+		strategie = new ErfassungAendernStrategie();
+		new BuchListeView(gui, this, buchliste.getBuchliste());
+	}
+
+
+	public void speichern() {
+		try {
+			buchliste.speichern();
+			new InfoView(gui, "Daten wurden gespeichert.");
+		} catch (DatenException e) {
+			new InfoView(gui, "Fehler: Daten konnten nicht gespeichert werden!");
+		}
+	}
+
+	public void fertig() {
+		gui.setVisible(false);
+		gui.dispose();
+		System.exit(0);
+	}
+
+}
+
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/InfoView$1.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/InfoView$1.html new file mode 100644 index 0000000..ce5bb63 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/InfoView$1.html @@ -0,0 +1 @@ +InfoView.new ActionListener() {...}

InfoView.new ActionListener() {...}

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total14 of 140%0 of 0n/a224422
actionPerformed(ActionEvent)80%n/a113311
{...}60%n/a111111
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/InfoView.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/InfoView.html new file mode 100644 index 0000000..935b561 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/InfoView.html @@ -0,0 +1 @@ +InfoView

InfoView

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total57 of 570%0 of 0n/a11141411
InfoView(Frame, String)570%n/a11141411
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/InfoView.java.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/InfoView.java.html new file mode 100644 index 0000000..61e51bb --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/InfoView.java.html @@ -0,0 +1,40 @@ +InfoView.java

InfoView.java

package com.buch.gui;
+
+import java.awt.BorderLayout;
+import java.awt.Button;
+import java.awt.Dialog;
+import java.awt.Frame;
+import java.awt.Label;
+import java.awt.Panel;
+import java.awt.event.*;
+
+public class InfoView extends Dialog {
+	
+	private static final long serialVersionUID = 1L;
+
+	public InfoView(Frame mainwindow, String info) {
+		super(mainwindow, "Info", true);
+		setSize(290, 100);
+		setLocation(150,150);
+		Label text = new Label(info);
+        Panel infoPanel = new Panel();
+        infoPanel.add(text);
+        
+		Button ok = new Button("OK");
+		ok.addActionListener(new ActionListener() {
+			@Override
+			public void actionPerformed(ActionEvent e) {
+				setVisible(false);
+				dispose();
+			}
+		});
+		Panel buttonPanel = new Panel();
+		buttonPanel.add(ok);
+		
+		add(infoPanel, BorderLayout.CENTER);
+		add(buttonPanel, BorderLayout.SOUTH);
+		setVisible(true);
+	}
+
+}
+
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/index.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/index.html new file mode 100644 index 0000000..e21a582 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/index.html @@ -0,0 +1 @@ +com.buch.gui

com.buch.gui

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethodsMissedClasses
Total866 of 8660%10 of 100%585819919953532020
BuchErfassungView2050%20%7749496611
BuchListeView1350%40%5531313311
BuchHauptprogrammView1280%n/a3328283311
Controller1240%n/a10103535101011
InfoView570%n/a1114141111
BuchListeView.new ActionListener() {...}300%20%33772211
BuchListeView.new ActionListener() {...}220%20%33552211
BuchErfassungView.new ActionListener() {...}200%n/a22552211
Controller.ErfassungStrategie170%n/a22332211
BuchErfassungView.new ActionListener() {...}140%n/a22442211
BuchListeView.new ItemListener() {...}140%n/a22332211
InfoView.new ActionListener() {...}140%n/a22442211
Controller.ErfassungNeuStrategie130%n/a22332211
BuchHauptprogrammView.new ActionListener() {...}110%n/a22332211
BuchHauptprogrammView.new ActionListener() {...}110%n/a22332211
BuchHauptprogrammView.new ActionListener() {...}110%n/a22332211
BuchHauptprogrammView.new ActionListener() {...}110%n/a22332211
BuchHauptprogrammView.new ActionListener() {...}110%n/a22332211
BuchListeView.new ActionListener() {...}100%n/a22332211
Controller.ErfassungAendernStrategie80%n/a22222211
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/index.source.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/index.source.html new file mode 100644 index 0000000..0ced23d --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch.gui/index.source.html @@ -0,0 +1 @@ +com.buch.gui

com.buch.gui

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethodsMissedClasses
Total866 of 8660%10 of 100%585819919953532020
BuchErfassungView.java2390%20%11115656101033
BuchListeView.java2110%80%15154545111155
BuchHauptprogrammView.java1830%n/a13133838131366
Controller.java1620%n/a16164343161644
InfoView.java710%n/a3317173322
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch/Main.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch/Main.html new file mode 100644 index 0000000..0f719d9 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch/Main.html @@ -0,0 +1 @@ +Main

Main

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethods
Total6 of 60%0 of 0n/a223322
Main()30%n/a111111
main(String[])30%n/a112211
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch/Main.java.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch/Main.java.html new file mode 100644 index 0000000..fde86fa --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch/Main.java.html @@ -0,0 +1,9 @@ +Main.java

Main.java

package com.buch;
+import com.buch.gui.BuchHauptprogrammView;
+
+public class Main {
+    public static void main(String[] args) {
+        BuchHauptprogrammView.main(args);
+    }
+}
+
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch/index.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch/index.html new file mode 100644 index 0000000..1cf18b4 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch/index.html @@ -0,0 +1 @@ +com.buch

com.buch

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethodsMissedClasses
Total6 of 60%0 of 0n/a22332211
Main60%n/a22332211
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/com.buch/index.source.html b/WS24_25/SWTD/buch/target/site/jacoco/com.buch/index.source.html new file mode 100644 index 0000000..a12ffd1 --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/com.buch/index.source.html @@ -0,0 +1 @@ +com.buch

com.buch

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethodsMissedClasses
Total6 of 60%0 of 0n/a22332211
Main.java60%n/a22332211
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/index.html b/WS24_25/SWTD/buch/target/site/jacoco/index.html new file mode 100644 index 0000000..1d435ff --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/index.html @@ -0,0 +1 @@ +buch

buch

ElementMissed InstructionsCov.Missed BranchesCov.MissedCxtyMissedLinesMissedMethodsMissedClasses
Total1,176 of 1,1760%18 of 180%868631131177772626
com.buch.gui8660%100%585819919953532020
com.buch.datenhaltung2080%60%111176768833
com.buch.fachlogik960%20%15153333141422
com.buch0%n/a22332211
\ No newline at end of file diff --git a/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/branchfc.gif b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/branchfc.gif new file mode 100644 index 0000000..989b46d Binary files /dev/null and b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/branchfc.gif differ diff --git a/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/branchnc.gif b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/branchnc.gif new file mode 100644 index 0000000..1933e07 Binary files /dev/null and b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/branchnc.gif differ diff --git a/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/branchpc.gif b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/branchpc.gif new file mode 100644 index 0000000..cbf711b Binary files /dev/null and b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/branchpc.gif differ diff --git a/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/bundle.gif b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/bundle.gif new file mode 100644 index 0000000..fca9c53 Binary files /dev/null and b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/bundle.gif differ diff --git a/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/class.gif b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/class.gif new file mode 100644 index 0000000..eb348fb Binary files /dev/null and b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/class.gif differ diff --git a/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/down.gif b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/down.gif new file mode 100644 index 0000000..440a14d Binary files /dev/null and b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/down.gif differ diff --git a/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/greenbar.gif b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/greenbar.gif new file mode 100644 index 0000000..0ba6567 Binary files /dev/null and b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/greenbar.gif differ diff --git a/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/group.gif b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/group.gif new file mode 100644 index 0000000..a4ea580 Binary files /dev/null and b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/group.gif differ diff --git a/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/method.gif b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/method.gif new file mode 100644 index 0000000..7d24707 Binary files /dev/null and b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/method.gif differ diff --git a/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/package.gif b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/package.gif new file mode 100644 index 0000000..131c28d Binary files /dev/null and b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/package.gif differ diff --git a/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/prettify.css b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/prettify.css new file mode 100644 index 0000000..be5166e --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/prettify.css @@ -0,0 +1,13 @@ +/* Pretty printing styles. Used with prettify.js. */ + +.str { color: #2A00FF; } +.kwd { color: #7F0055; font-weight:bold; } +.com { color: #3F5FBF; } +.typ { color: #606; } +.lit { color: #066; } +.pun { color: #660; } +.pln { color: #000; } +.tag { color: #008; } +.atn { color: #606; } +.atv { color: #080; } +.dec { color: #606; } diff --git a/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/prettify.js b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/prettify.js new file mode 100644 index 0000000..b2766fe --- /dev/null +++ b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/prettify.js @@ -0,0 +1,1510 @@ +// Copyright (C) 2006 Google Inc. +// +// Licensed under the Apache License, Version 2.0 (the "License"); +// you may not use this file except in compliance with the License. +// You may obtain a copy of the License at +// +// http://www.apache.org/licenses/LICENSE-2.0 +// +// Unless required by applicable law or agreed to in writing, software +// distributed under the License is distributed on an "AS IS" BASIS, +// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. +// See the License for the specific language governing permissions and +// limitations under the License. + + +/** + * @fileoverview + * some functions for browser-side pretty printing of code contained in html. + *

+ * + * For a fairly comprehensive set of languages see the + * README + * file that came with this source. At a minimum, the lexer should work on a + * number of languages including C and friends, Java, Python, Bash, SQL, HTML, + * XML, CSS, Javascript, and Makefiles. It works passably on Ruby, PHP and Awk + * and a subset of Perl, but, because of commenting conventions, doesn't work on + * Smalltalk, Lisp-like, or CAML-like languages without an explicit lang class. + *

+ * Usage:

    + *
  1. include this source file in an html page via + * {@code } + *
  2. define style rules. See the example page for examples. + *
  3. mark the {@code
    } and {@code } tags in your source with
    + *    {@code class=prettyprint.}
    + *    You can also use the (html deprecated) {@code } tag, but the pretty
    + *    printer needs to do more substantial DOM manipulations to support that, so
    + *    some css styles may not be preserved.
    + * </ol>
    + * That's it.  I wanted to keep the API as simple as possible, so there's no
    + * need to specify which language the code is in, but if you wish, you can add
    + * another class to the {@code <pre>} or {@code <code>} element to specify the
    + * language, as in {@code <pre class="prettyprint lang-java">}.  Any class that
    + * starts with "lang-" followed by a file extension, specifies the file type.
    + * See the "lang-*.js" files in this directory for code that implements
    + * per-language file handlers.
    + * <p>
    + * Change log:<br>
    + * cbeust, 2006/08/22
    + * <blockquote>
    + *   Java annotations (start with "@") are now captured as literals ("lit")
    + * </blockquote>
    + * @requires console
    + */
    +
    +// JSLint declarations
    +/*global console, document, navigator, setTimeout, window */
    +
    +/**
    + * Split {@code prettyPrint} into multiple timeouts so as not to interfere with
    + * UI events.
    + * If set to {@code false}, {@code prettyPrint()} is synchronous.
    + */
    +window['PR_SHOULD_USE_CONTINUATION'] = true;
    +
    +/** the number of characters between tab columns */
    +window['PR_TAB_WIDTH'] = 8;
    +
    +/** Walks the DOM returning a properly escaped version of innerHTML.
    +  * @param {Node} node
    +  * @param {Array.<string>} out output buffer that receives chunks of HTML.
    +  */
    +window['PR_normalizedHtml']
    +
    +/** Contains functions for creating and registering new language handlers.
    +  * @type {Object}
    +  */
    +  = window['PR']
    +
    +/** Pretty print a chunk of code.
    +  *
    +  * @param {string} sourceCodeHtml code as html
    +  * @return {string} code as html, but prettier
    +  */
    +  = window['prettyPrintOne']
    +/** Find all the {@code <pre>} and {@code <code>} tags in the DOM with
    +  * {@code class=prettyprint} and prettify them.
    +  * @param {Function?} opt_whenDone if specified, called when the last entry
    +  *     has been finished.
    +  */
    +  = window['prettyPrint'] = void 0;
    +
    +/** browser detection. @extern @returns false if not IE, otherwise the major version. */
    +window['_pr_isIE6'] = function () {
    +  var ieVersion = navigator && navigator.userAgent &&
    +      navigator.userAgent.match(/\bMSIE ([678])\./);
    +  ieVersion = ieVersion ? +ieVersion[1] : false;
    +  window['_pr_isIE6'] = function () { return ieVersion; };
    +  return ieVersion;
    +};
    +
    +
    +(function () {
    +  // Keyword lists for various languages.
    +  var FLOW_CONTROL_KEYWORDS =
    +      "break continue do else for if return while ";
    +  var C_KEYWORDS = FLOW_CONTROL_KEYWORDS + "auto case char const default " +
    +      "double enum extern float goto int long register short signed sizeof " +
    +      "static struct switch typedef union unsigned void volatile ";
    +  var COMMON_KEYWORDS = C_KEYWORDS + "catch class delete false import " +
    +      "new operator private protected public this throw true try typeof ";
    +  var CPP_KEYWORDS = COMMON_KEYWORDS + "alignof align_union asm axiom bool " +
    +      "concept concept_map const_cast constexpr decltype " +
    +      "dynamic_cast explicit export friend inline late_check " +
    +      "mutable namespace nullptr reinterpret_cast static_assert static_cast " +
    +      "template typeid typename using virtual wchar_t where ";
    +  var JAVA_KEYWORDS = COMMON_KEYWORDS +
    +      "abstract boolean byte extends final finally implements import " +
    +      "instanceof null native package strictfp super synchronized throws " +
    +      "transient ";
    +  var CSHARP_KEYWORDS = JAVA_KEYWORDS +
    +      "as base by checked decimal delegate descending event " +
    +      "fixed foreach from group implicit in interface internal into is lock " +
    +      "object out override orderby params partial readonly ref sbyte sealed " +
    +      "stackalloc string select uint ulong unchecked unsafe ushort var ";
    +  var JSCRIPT_KEYWORDS = COMMON_KEYWORDS +
    +      "debugger eval export function get null set undefined var with " +
    +      "Infinity NaN ";
    +  var PERL_KEYWORDS = "caller delete die do dump elsif eval exit foreach for " +
    +      "goto if import last local my next no our print package redo require " +
    +      "sub undef unless until use wantarray while BEGIN END ";
    +  var PYTHON_KEYWORDS = FLOW_CONTROL_KEYWORDS + "and as assert class def del " +
    +      "elif except exec finally from global import in is lambda " +
    +      "nonlocal not or pass print raise try with yield " +
    +      "False True None ";
    +  var RUBY_KEYWORDS = FLOW_CONTROL_KEYWORDS + "alias and begin case class def" +
    +      " defined elsif end ensure false in module next nil not or redo rescue " +
    +      "retry self super then true undef unless until when yield BEGIN END ";
    +  var SH_KEYWORDS = FLOW_CONTROL_KEYWORDS + "case done elif esac eval fi " +
    +      "function in local set then until ";
    +  var ALL_KEYWORDS = (
    +      CPP_KEYWORDS + CSHARP_KEYWORDS + JSCRIPT_KEYWORDS + PERL_KEYWORDS +
    +      PYTHON_KEYWORDS + RUBY_KEYWORDS + SH_KEYWORDS);
    +
    +  // token style names.  correspond to css classes
    +  /** token style for a string literal */
    +  var PR_STRING = 'str';
    +  /** token style for a keyword */
    +  var PR_KEYWORD = 'kwd';
    +  /** token style for a comment */
    +  var PR_COMMENT = 'com';
    +  /** token style for a type */
    +  var PR_TYPE = 'typ';
    +  /** token style for a literal value.  e.g. 1, null, true. */
    +  var PR_LITERAL = 'lit';
    +  /** token style for a punctuation string. */
    +  var PR_PUNCTUATION = 'pun';
    +  /** token style for a punctuation string. */
    +  var PR_PLAIN = 'pln';
    +
    +  /** token style for an sgml tag. */
    +  var PR_TAG = 'tag';
    +  /** token style for a markup declaration such as a DOCTYPE. */
    +  var PR_DECLARATION = 'dec';
    +  /** token style for embedded source. */
    +  var PR_SOURCE = 'src';
    +  /** token style for an sgml attribute name. */
    +  var PR_ATTRIB_NAME = 'atn';
    +  /** token style for an sgml attribute value. */
    +  var PR_ATTRIB_VALUE = 'atv';
    +
    +  /**
    +   * A class that indicates a section of markup that is not code, e.g. to allow
    +   * embedding of line numbers within code listings.
    +   */
    +  var PR_NOCODE = 'nocode';
    +
    +  /** A set of tokens that can precede a regular expression literal in
    +    * javascript.
    +    * http://www.mozilla.org/js/language/js20/rationale/syntax.html has the full
    +    * list, but I've removed ones that might be problematic when seen in
    +    * languages that don't support regular expression literals.
    +    *
    +    * <p>Specifically, I've removed any keywords that can't precede a regexp
    +    * literal in a syntactically legal javascript program, and I've removed the
    +    * "in" keyword since it's not a keyword in many languages, and might be used
    +    * as a count of inches.
    +    *
    +    * <p>The link a above does not accurately describe EcmaScript rules since
    +    * it fails to distinguish between (a=++/b/i) and (a++/b/i) but it works
    +    * very well in practice.
    +    *
    +    * @private
    +    */
    +  var REGEXP_PRECEDER_PATTERN = function () {
    +      var preceders = [
    +          "!", "!=", "!==", "#", "%", "%=", "&", "&&", "&&=",
    +          "&=", "(", "*", "*=", /* "+", */ "+=", ",", /* "-", */ "-=",
    +          "->", /*".", "..", "...", handled below */ "/", "/=", ":", "::", ";",
    +          "<", "<<", "<<=", "<=", "=", "==", "===", ">",
    +          ">=", ">>", ">>=", ">>>", ">>>=", "?", "@", "[",
    +          "^", "^=", "^^", "^^=", "{", "|", "|=", "||",
    +          "||=", "~" /* handles =~ and !~ */,
    +          "break", "case", "continue", "delete",
    +          "do", "else", "finally", "instanceof",
    +          "return", "throw", "try", "typeof"
    +          ];
    +      var pattern = '(?:^^|[+-]';
    +      for (var i = 0; i < preceders.length; ++i) {
    +        pattern += '|' + preceders[i].replace(/([^=<>:&a-z])/g, '\\$1');
    +      }
    +      pattern += ')\\s*';  // matches at end, and matches empty string
    +      return pattern;
    +      // CAVEAT: this does not properly handle the case where a regular
    +      // expression immediately follows another since a regular expression may
    +      // have flags for case-sensitivity and the like.  Having regexp tokens
    +      // adjacent is not valid in any language I'm aware of, so I'm punting.
    +      // TODO: maybe style special characters inside a regexp as punctuation.
    +    }();
    +
    +  // Define regexps here so that the interpreter doesn't have to create an
    +  // object each time the function containing them is called.
    +  // The language spec requires a new object created even if you don't access
    +  // the $1 members.
    +  var pr_amp = /&/g;
    +  var pr_lt = /</g;
    +  var pr_gt = />/g;
    +  var pr_quot = /\"/g;
    +  /** like textToHtml but escapes double quotes to be attribute safe. */
    +  function attribToHtml(str) {
    +    return str.replace(pr_amp, '&amp;')
    +        .replace(pr_lt, '&lt;')
    +        .replace(pr_gt, '&gt;')
    +        .replace(pr_quot, '&quot;');
    +  }
    +
    +  /** escapest html special characters to html. */
    +  function textToHtml(str) {
    +    return str.replace(pr_amp, '&amp;')
    +        .replace(pr_lt, '&lt;')
    +        .replace(pr_gt, '&gt;');
    +  }
    +
    +
    +  var pr_ltEnt = /&lt;/g;
    +  var pr_gtEnt = /&gt;/g;
    +  var pr_aposEnt = /&apos;/g;
    +  var pr_quotEnt = /&quot;/g;
    +  var pr_ampEnt = /&amp;/g;
    +  var pr_nbspEnt = /&nbsp;/g;
    +  /** unescapes html to plain text. */
    +  function htmlToText(html) {
    +    var pos = html.indexOf('&');
    +    if (pos < 0) { return html; }
    +    // Handle numeric entities specially.  We can't use functional substitution
    +    // since that doesn't work in older versions of Safari.
    +    // These should be rare since most browsers convert them to normal chars.
    +    for (--pos; (pos = html.indexOf('&#', pos + 1)) >= 0;) {
    +      var end = html.indexOf(';', pos);
    +      if (end >= 0) {
    +        var num = html.substring(pos + 3, end);
    +        var radix = 10;
    +        if (num && num.charAt(0) === 'x') {
    +          num = num.substring(1);
    +          radix = 16;
    +        }
    +        var codePoint = parseInt(num, radix);
    +        if (!isNaN(codePoint)) {
    +          html = (html.substring(0, pos) + String.fromCharCode(codePoint) +
    +                  html.substring(end + 1));
    +        }
    +      }
    +    }
    +
    +    return html.replace(pr_ltEnt, '<')
    +        .replace(pr_gtEnt, '>')
    +        .replace(pr_aposEnt, "'")
    +        .replace(pr_quotEnt, '"')
    +        .replace(pr_nbspEnt, ' ')
    +        .replace(pr_ampEnt, '&');
    +  }
    +
    +  /** is the given node's innerHTML normally unescaped? */
    +  function isRawContent(node) {
    +    return 'XMP' === node.tagName;
    +  }
    +
    +  var newlineRe = /[\r\n]/g;
    +  /**
    +   * Are newlines and adjacent spaces significant in the given node's innerHTML?
    +   */
    +  function isPreformatted(node, content) {
    +    // PRE means preformatted, and is a very common case, so don't create
    +    // unnecessary computed style objects.
    +    if ('PRE' === node.tagName) { return true; }
    +    if (!newlineRe.test(content)) { return true; }  // Don't care
    +    var whitespace = '';
    +    // For disconnected nodes, IE has no currentStyle.
    +    if (node.currentStyle) {
    +      whitespace = node.currentStyle.whiteSpace;
    +    } else if (window.getComputedStyle) {
    +      // Firefox makes a best guess if node is disconnected whereas Safari
    +      // returns the empty string.
    +      whitespace = window.getComputedStyle(node, null).whiteSpace;
    +    }
    +    return !whitespace || whitespace === 'pre';
    +  }
    +
    +  function normalizedHtml(node, out, opt_sortAttrs) {
    +    switch (node.nodeType) {
    +      case 1:  // an element
    +        var name = node.tagName.toLowerCase();
    +
    +        out.push('<', name);
    +        var attrs = node.attributes;
    +        var n = attrs.length;
    +        if (n) {
    +          if (opt_sortAttrs) {
    +            var sortedAttrs = [];
    +            for (var i = n; --i >= 0;) { sortedAttrs[i] = attrs[i]; }
    +            sortedAttrs.sort(function (a, b) {
    +                return (a.name < b.name) ? -1 : a.name === b.name ? 0 : 1;
    +              });
    +            attrs = sortedAttrs;
    +          }
    +          for (var i = 0; i < n; ++i) {
    +            var attr = attrs[i];
    +            if (!attr.specified) { continue; }
    +            out.push(' ', attr.name.toLowerCase(),
    +                     '="', attribToHtml(attr.value), '"');
    +          }
    +        }
    +        out.push('>');
    +        for (var child = node.firstChild; child; child = child.nextSibling) {
    +          normalizedHtml(child, out, opt_sortAttrs);
    +        }
    +        if (node.firstChild || !/^(?:br|link|img)$/.test(name)) {
    +          out.push('<\/', name, '>');
    +        }
    +        break;
    +      case 3: case 4: // text
    +        out.push(textToHtml(node.nodeValue));
    +        break;
    +    }
    +  }
    +
    +  /**
    +   * Given a group of {@link RegExp}s, returns a {@code RegExp} that globally
    +   * matches the union o the sets o strings matched d by the input RegExp.
    +   * Since it matches globally, if the input strings have a start-of-input
    +   * anchor (/^.../), it is ignored for the purposes of unioning.
    +   * @param {Array.<RegExp>} regexs non multiline, non-global regexs.
    +   * @return {RegExp} a global regex.
    +   */
    +  function combinePrefixPatterns(regexs) {
    +    var capturedGroupIndex = 0;
    +
    +    var needToFoldCase = false;
    +    var ignoreCase = false;
    +    for (var i = 0, n = regexs.length; i < n; ++i) {
    +      var regex = regexs[i];
    +      if (regex.ignoreCase) {
    +        ignoreCase = true;
    +      } else if (/[a-z]/i.test(regex.source.replace(
    +                     /\\u[0-9a-f]{4}|\\x[0-9a-f]{2}|\\[^ux]/gi, ''))) {
    +        needToFoldCase = true;
    +        ignoreCase = false;
    +        break;
    +      }
    +    }
    +
    +    function decodeEscape(charsetPart) {
    +      if (charsetPart.charAt(0) !== '\\') { return charsetPart.charCodeAt(0); }
    +      switch (charsetPart.charAt(1)) {
    +        case 'b': return 8;
    +        case 't': return 9;
    +        case 'n': return 0xa;
    +        case 'v': return 0xb;
    +        case 'f': return 0xc;
    +        case 'r': return 0xd;
    +        case 'u': case 'x':
    +          return parseInt(charsetPart.substring(2), 16)
    +              || charsetPart.charCodeAt(1);
    +        case '0': case '1': case '2': case '3': case '4':
    +        case '5': case '6': case '7':
    +          return parseInt(charsetPart.substring(1), 8);
    +        default: return charsetPart.charCodeAt(1);
    +      }
    +    }
    +
    +    function encodeEscape(charCode) {
    +      if (charCode < 0x20) {
    +        return (charCode < 0x10 ? '\\x0' : '\\x') + charCode.toString(16);
    +      }
    +      var ch = String.fromCharCode(charCode);
    +      if (ch === '\\' || ch === '-' || ch === '[' || ch === ']') {
    +        ch = '\\' + ch;
    +      }
    +      return ch;
    +    }
    +
    +    function caseFoldCharset(charSet) {
    +      var charsetParts = charSet.substring(1, charSet.length - 1).match(
    +          new RegExp(
    +              '\\\\u[0-9A-Fa-f]{4}'
    +              + '|\\\\x[0-9A-Fa-f]{2}'
    +              + '|\\\\[0-3][0-7]{0,2}'
    +              + '|\\\\[0-7]{1,2}'
    +              + '|\\\\[\\s\\S]'
    +              + '|-'
    +              + '|[^-\\\\]',
    +              'g'));
    +      var groups = [];
    +      var ranges = [];
    +      var inverse = charsetParts[0] === '^';
    +      for (var i = inverse ? 1 : 0, n = charsetParts.length; i < n; ++i) {
    +        var p = charsetParts[i];
    +        switch (p) {
    +          case '\\B': case '\\b':
    +          case '\\D': case '\\d':
    +          case '\\S': case '\\s':
    +          case '\\W': case '\\w':
    +            groups.push(p);
    +            continue;
    +        }
    +        var start = decodeEscape(p);
    +        var end;
    +        if (i + 2 < n && '-' === charsetParts[i + 1]) {
    +          end = decodeEscape(charsetParts[i + 2]);
    +          i += 2;
    +        } else {
    +          end = start;
    +        }
    +        ranges.push([start, end]);
    +        // If the range might intersect letters, then expand it.
    +        if (!(end < 65 || start > 122)) {
    +          if (!(end < 65 || start > 90)) {
    +            ranges.push([Math.max(65, start) | 32, Math.min(end, 90) | 32]);
    +          }
    +          if (!(end < 97 || start > 122)) {
    +            ranges.push([Math.max(97, start) & ~32, Math.min(end, 122) & ~32]);
    +          }
    +        }
    +      }
    +
    +      // [[1, 10], [3, 4], [8, 12], [14, 14], [16, 16], [17, 17]]
    +      // -> [[1, 12], [14, 14], [16, 17]]
    +      ranges.sort(function (a, b) { return (a[0] - b[0]) || (b[1]  - a[1]); });
    +      var consolidatedRanges = [];
    +      var lastRange = [NaN, NaN];
    +      for (var i = 0; i < ranges.length; ++i) {
    +        var range = ranges[i];
    +        if (range[0] <= lastRange[1] + 1) {
    +          lastRange[1] = Math.max(lastRange[1], range[1]);
    +        } else {
    +          consolidatedRanges.push(lastRange = range);
    +        }
    +      }
    +
    +      var out = ['['];
    +      if (inverse) { out.push('^'); }
    +      out.push.apply(out, groups);
    +      for (var i = 0; i < consolidatedRanges.length; ++i) {
    +        var range = consolidatedRanges[i];
    +        out.push(encodeEscape(range[0]));
    +        if (range[1] > range[0]) {
    +          if (range[1] + 1 > range[0]) { out.push('-'); }
    +          out.push(encodeEscape(range[1]));
    +        }
    +      }
    +      out.push(']');
    +      return out.join('');
    +    }
    +
    +    function allowAnywhereFoldCaseAndRenumberGroups(regex) {
    +      // Split into character sets, escape sequences, punctuation strings
    +      // like ('(', '(?:', ')', '^'), and runs of characters that do not
    +      // include any of the above.
    +      var parts = regex.source.match(
    +          new RegExp(
    +              '(?:'
    +              + '\\[(?:[^\\x5C\\x5D]|\\\\[\\s\\S])*\\]'  // a character set
    +              + '|\\\\u[A-Fa-f0-9]{4}'  // a unicode escape
    +              + '|\\\\x[A-Fa-f0-9]{2}'  // a hex escape
    +              + '|\\\\[0-9]+'  // a back-reference or octal escape
    +              + '|\\\\[^ux0-9]'  // other escape sequence
    +              + '|\\(\\?[:!=]'  // start of a non-capturing group
    +              + '|[\\(\\)\\^]'  // start/emd of a group, or line start
    +              + '|[^\\x5B\\x5C\\(\\)\\^]+'  // run of other characters
    +              + ')',
    +              'g'));
    +      var n = parts.length;
    +
    +      // Maps captured group numbers to the number they will occupy in
    +      // the output or to -1 if that has not been determined, or to
    +      // undefined if they need not be capturing in the output.
    +      var capturedGroups = [];
    +
    +      // Walk over and identify back references to build the capturedGroups
    +      // mapping.
    +      for (var i = 0, groupIndex = 0; i < n; ++i) {
    +        var p = parts[i];
    +        if (p === '(') {
    +          // groups are 1-indexed, so max group index is count of '('
    +          ++groupIndex;
    +        } else if ('\\' === p.charAt(0)) {
    +          var decimalValue = +p.substring(1);
    +          if (decimalValue && decimalValue <= groupIndex) {
    +            capturedGroups[decimalValue] = -1;
    +          }
    +        }
    +      }
    +
    +      // Renumber groups and reduce capturing groups to non-capturing groups
    +      // where possible.
    +      for (var i = 1; i < capturedGroups.length; ++i) {
    +        if (-1 === capturedGroups[i]) {
    +          capturedGroups[i] = ++capturedGroupIndex;
    +        }
    +      }
    +      for (var i = 0, groupIndex = 0; i < n; ++i) {
    +        var p = parts[i];
    +        if (p === '(') {
    +          ++groupIndex;
    +          if (capturedGroups[groupIndex] === undefined) {
    +            parts[i] = '(?:';
    +          }
    +        } else if ('\\' === p.charAt(0)) {
    +          var decimalValue = +p.substring(1);
    +          if (decimalValue && decimalValue <= groupIndex) {
    +            parts[i] = '\\' + capturedGroups[groupIndex];
    +          }
    +        }
    +      }
    +
    +      // Remove any prefix anchors so that the output will match anywhere.
    +      // ^^ really does mean an anchored match though.
    +      for (var i = 0, groupIndex = 0; i < n; ++i) {
    +        if ('^' === parts[i] && '^' !== parts[i + 1]) { parts[i] = ''; }
    +      }
    +
    +      // Expand letters to groupts to handle mixing of case-sensitive and
    +      // case-insensitive patterns if necessary.
    +      if (regex.ignoreCase && needToFoldCase) {
    +        for (var i = 0; i < n; ++i) {
    +          var p = parts[i];
    +          var ch0 = p.charAt(0);
    +          if (p.length >= 2 && ch0 === '[') {
    +            parts[i] = caseFoldCharset(p);
    +          } else if (ch0 !== '\\') {
    +            // TODO: handle letters in numeric escapes.
    +            parts[i] = p.replace(
    +                /[a-zA-Z]/g,
    +                function (ch) {
    +                  var cc = ch.charCodeAt(0);
    +                  return '[' + String.fromCharCode(cc & ~32, cc | 32) + ']';
    +                });
    +          }
    +        }
    +      }
    +
    +      return parts.join('');
    +    }
    +
    +    var rewritten = [];
    +    for (var i = 0, n = regexs.length; i < n; ++i) {
    +      var regex = regexs[i];
    +      if (regex.global || regex.multiline) { throw new Error('' + regex); }
    +      rewritten.push(
    +          '(?:' + allowAnywhereFoldCaseAndRenumberGroups(regex) + ')');
    +    }
    +
    +    return new RegExp(rewritten.join('|'), ignoreCase ? 'gi' : 'g');
    +  }
    +
    +  var PR_innerHtmlWorks = null;
    +  function getInnerHtml(node) {
    +    // inner html is hopelessly broken in Safari 2.0.4 when the content is
    +    // an html description of well formed XML and the containing tag is a PRE
    +    // tag, so we detect that case and emulate innerHTML.
    +    if (null === PR_innerHtmlWorks) {
    +      var testNode = document.createElement('PRE');
    +      testNode.appendChild(
    +          document.createTextNode('<!DOCTYPE foo PUBLIC "foo bar">\n<foo />'));
    +      PR_innerHtmlWorks = !/</.test(testNode.innerHTML);
    +    }
    +
    +    if (PR_innerHtmlWorks) {
    +      var content = node.innerHTML;
    +      // XMP tags contain unescaped entities so require special handling.
    +      if (isRawContent(node)) {
    +        content = textToHtml(content);
    +      } else if (!isPreformatted(node, content)) {
    +        content = content.replace(/(<br\s*\/?>)[\r\n]+/g, '$1')
    +            .replace(/(?:[\r\n]+[ \t]*)+/g, ' ');
    +      }
    +      return content;
    +    }
    +
    +    var out = [];
    +    for (var child = node.firstChild; child; child = child.nextSibling) {
    +      normalizedHtml(child, out);
    +    }
    +    return out.join('');
    +  }
    +
    +  /** returns a function that expand tabs to spaces.  This function can be fed
    +    * successive chunks of text, and will maintain its own internal state to
    +    * keep track of how tabs are expanded.
    +    * @return {function (string) : string} a function that takes
    +    *   plain text and return the text with tabs expanded.
    +    * @private
    +    */
    +  function makeTabExpander(tabWidth) {
    +    var SPACES = '                ';
    +    var charInLine = 0;
    +
    +    return function (plainText) {
    +      // walk over each character looking for tabs and newlines.
    +      // On tabs, expand them.  On newlines, reset charInLine.
    +      // Otherwise increment charInLine
    +      var out = null;
    +      var pos = 0;
    +      for (var i = 0, n = plainText.length; i < n; ++i) {
    +        var ch = plainText.charAt(i);
    +
    +        switch (ch) {
    +          case '\t':
    +            if (!out) { out = []; }
    +            out.push(plainText.substring(pos, i));
    +            // calculate how much space we need in front of this part
    +            // nSpaces is the amount of padding -- the number of spaces needed
    +            // to move us to the next column, where columns occur at factors of
    +            // tabWidth.
    +            var nSpaces = tabWidth - (charInLine % tabWidth);
    +            charInLine += nSpaces;
    +            for (; nSpaces >= 0; nSpaces -= SPACES.length) {
    +              out.push(SPACES.substring(0, nSpaces));
    +            }
    +            pos = i + 1;
    +            break;
    +          case '\n':
    +            charInLine = 0;
    +            break;
    +          default:
    +            ++charInLine;
    +        }
    +      }
    +      if (!out) { return plainText; }
    +      out.push(plainText.substring(pos));
    +      return out.join('');
    +    };
    +  }
    +
    +  var pr_chunkPattern = new RegExp(
    +      '[^<]+'  // A run of characters other than '<'
    +      + '|<\!--[\\s\\S]*?--\>'  // an HTML comment
    +      + '|<!\\[CDATA\\[[\\s\\S]*?\\]\\]>'  // a CDATA section
    +      // a probable tag that should not be highlighted
    +      + '|<\/?[a-zA-Z](?:[^>\"\']|\'[^\']*\'|\"[^\"]*\")*>'
    +      + '|<',  // A '<' that does not begin a larger chunk
    +      'g');
    +  var pr_commentPrefix = /^<\!--/;
    +  var pr_cdataPrefix = /^<!\[CDATA\[/;
    +  var pr_brPrefix = /^<br\b/i;
    +  var pr_tagNameRe = /^<(\/?)([a-zA-Z][a-zA-Z0-9]*)/;
    +
    +  /** split markup into chunks of html tags (style null) and
    +    * plain text (style {@link #PR_PLAIN}), converting tags which are
    +    * significant for tokenization (<br>) into their textual equivalent.
    +    *
    +    * @param {string} s html where whitespace is considered significant.
    +    * @return {Object} source code and extracted tags.
    +    * @private
    +    */
    +  function extractTags(s) {
    +    // since the pattern has the 'g' modifier and defines no capturing groups,
    +    // this will return a list of all chunks which we then classify and wrap as
    +    // PR_Tokens
    +    var matches = s.match(pr_chunkPattern);
    +    var sourceBuf = [];
    +    var sourceBufLen = 0;
    +    var extractedTags = [];
    +    if (matches) {
    +      for (var i = 0, n = matches.length; i < n; ++i) {
    +        var match = matches[i];
    +        if (match.length > 1 && match.charAt(0) === '<') {
    +          if (pr_commentPrefix.test(match)) { continue; }
    +          if (pr_cdataPrefix.test(match)) {
    +            // strip CDATA prefix and suffix.  Don't unescape since it's CDATA
    +            sourceBuf.push(match.substring(9, match.length - 3));
    +            sourceBufLen += match.length - 12;
    +          } else if (pr_brPrefix.test(match)) {
    +            // <br> tags are lexically significant so convert them to text.
    +            // This is undone later.
    +            sourceBuf.push('\n');
    +            ++sourceBufLen;
    +          } else {
    +            if (match.indexOf(PR_NOCODE) >= 0 && isNoCodeTag(match)) {
    +              // A <span class="nocode"> will start a section that should be
    +              // ignored.  Continue walking the list until we see a matching end
    +              // tag.
    +              var name = match.match(pr_tagNameRe)[2];
    +              var depth = 1;
    +              var j;
    +              end_tag_loop:
    +              for (j = i + 1; j < n; ++j) {
    +                var name2 = matches[j].match(pr_tagNameRe);
    +                if (name2 && name2[2] === name) {
    +                  if (name2[1] === '/') {
    +                    if (--depth === 0) { break end_tag_loop; }
    +                  } else {
    +                    ++depth;
    +                  }
    +                }
    +              }
    +              if (j < n) {
    +                extractedTags.push(
    +                    sourceBufLen, matches.slice(i, j + 1).join(''));
    +                i = j;
    +              } else {  // Ignore unclosed sections.
    +                extractedTags.push(sourceBufLen, match);
    +              }
    +            } else {
    +              extractedTags.push(sourceBufLen, match);
    +            }
    +          }
    +        } else {
    +          var literalText = htmlToText(match);
    +          sourceBuf.push(literalText);
    +          sourceBufLen += literalText.length;
    +        }
    +      }
    +    }
    +    return { source: sourceBuf.join(''), tags: extractedTags };
    +  }
    +
    +  /** True if the given tag contains a class attribute with the nocode class. */
    +  function isNoCodeTag(tag) {
    +    return !!tag
    +        // First canonicalize the representation of attributes
    +        .replace(/\s(\w+)\s*=\s*(?:\"([^\"]*)\"|'([^\']*)'|(\S+))/g,
    +                 ' $1="$2$3$4"')
    +        // Then look for the attribute we want.
    +        .match(/[cC][lL][aA][sS][sS]=\"[^\"]*\bnocode\b/);
    +  }
    +
    +  /**
    +   * Apply the given language handler to sourceCode and add the resulting
    +   * decorations to out.
    +   * @param {number} basePos the index of sourceCode within the chunk of source
    +   *    whose decorations are already present on out.
    +   */
    +  function appendDecorations(basePos, sourceCode, langHandler, out) {
    +    if (!sourceCode) { return; }
    +    var job = {
    +      source: sourceCode,
    +      basePos: basePos
    +    };
    +    langHandler(job);
    +    out.push.apply(out, job.decorations);
    +  }
    +
    +  /** Given triples of [style, pattern, context] returns a lexing function,
    +    * The lexing function interprets the patterns to find token boundaries and
    +    * returns a decoration list of the form
    +    * [index_0, style_0, index_1, style_1, ..., index_n, style_n]
    +    * where index_n is an index into the sourceCode, and style_n is a style
    +    * constant like PR_PLAIN.  index_n-1 <= index_n, and style_n-1 applies to
    +    * all characters in sourceCode[index_n-1:index_n].
    +    *
    +    * The stylePatterns is a list whose elements have the form
    +    * [style : string, pattern : RegExp, DEPRECATED, shortcut : string].
    +    *
    +    * Style is a style constant like PR_PLAIN, or can be a string of the
    +    * form 'lang-FOO', where FOO is a language extension describing the
    +    * language of the portion of the token in $1 after pattern executes.
    +    * E.g., if style is 'lang-lisp', and group 1 contains the text
    +    * '(hello (world))', then that portion of the token will be passed to the
    +    * registered lisp handler for formatting.
    +    * The text before and after group 1 will be restyled using this decorator
    +    * so decorators should take care that this doesn't result in infinite
    +    * recursion.  For example, the HTML lexer rule for SCRIPT elements looks
    +    * something like ['lang-js', /<[s]cript>(.+?)<\/script>/].  This may match
    +    * '<script>foo()<\/script>', which would cause the current decorator to
    +    * be called with '<script>' which would not match the same rule since
    +    * group 1 must not be empty, so it would be instead styled as PR_TAG by
    +    * the generic tag rule.  The handler registered for the 'js' extension would
    +    * then be called with 'foo()', and finally, the current decorator would
    +    * be called with '<\/script>' which would not match the original rule and
    +    * so the generic tag rule would identify it as a tag.
    +    *
    +    * Pattern must only match prefixes, and if it matches a prefix, then that
    +    * match is considered a token with the same style.
    +    *
    +    * Context is applied to the last non-whitespace, non-comment token
    +    * recognized.
    +    *
    +    * Shortcut is an optional string of characters, any of which, if the first
    +    * character, gurantee that this pattern and only this pattern matches.
    +    *
    +    * @param {Array} shortcutStylePatterns patterns that always start with
    +    *   a known character.  Must have a shortcut string.
    +    * @param {Array} fallthroughStylePatterns patterns that will be tried in
    +    *   order if the shortcut ones fail.  May have shortcuts.
    +    *
    +    * @return {function (Object)} a
    +    *   function that takes source code and returns a list of decorations.
    +    */
    +  function createSimpleLexer(shortcutStylePatterns, fallthroughStylePatterns) {
    +    var shortcuts = {};
    +    var tokenizer;
    +    (function () {
    +      var allPatterns = shortcutStylePatterns.concat(fallthroughStylePatterns);
    +      var allRegexs = [];
    +      var regexKeys = {};
    +      for (var i = 0, n = allPatterns.length; i < n; ++i) {
    +        var patternParts = allPatterns[i];
    +        var shortcutChars = patternParts[3];
    +        if (shortcutChars) {
    +          for (var c = shortcutChars.length; --c >= 0;) {
    +            shortcuts[shortcutChars.charAt(c)] = patternParts;
    +          }
    +        }
    +        var regex = patternParts[1];
    +        var k = '' + regex;
    +        if (!regexKeys.hasOwnProperty(k)) {
    +          allRegexs.push(regex);
    +          regexKeys[k] = null;
    +        }
    +      }
    +      allRegexs.push(/[\0-\uffff]/);
    +      tokenizer = combinePrefixPatterns(allRegexs);
    +    })();
    +
    +    var nPatterns = fallthroughStylePatterns.length;
    +    var notWs = /\S/;
    +
    +    /**
    +     * Lexes job.source and produces an output array job.decorations of style
    +     * classes preceded by the position at which they start in job.source in
    +     * order.
    +     *
    +     * @param {Object} job an object like {@code
    +     *    source: {string} sourceText plain text,
    +     *    basePos: {int} position of job.source in the larger chunk of
    +     *        sourceCode.
    +     * }
    +     */
    +    var decorate = function (job) {
    +      var sourceCode = job.source, basePos = job.basePos;
    +      /** Even entries are positions in source in ascending order.  Odd enties
    +        * are style markers (e.g., PR_COMMENT) that run from that position until
    +        * the end.
    +        * @type {Array.<number|string>}
    +        */
    +      var decorations = [basePos, PR_PLAIN];
    +      var pos = 0;  // index into sourceCode
    +      var tokens = sourceCode.match(tokenizer) || [];
    +      var styleCache = {};
    +
    +      for (var ti = 0, nTokens = tokens.length; ti < nTokens; ++ti) {
    +        var token = tokens[ti];
    +        var style = styleCache[token];
    +        var match = void 0;
    +
    +        var isEmbedded;
    +        if (typeof style === 'string') {
    +          isEmbedded = false;
    +        } else {
    +          var patternParts = shortcuts[token.charAt(0)];
    +          if (patternParts) {
    +            match = token.match(patternParts[1]);
    +            style = patternParts[0];
    +          } else {
    +            for (var i = 0; i < nPatterns; ++i) {
    +              patternParts = fallthroughStylePatterns[i];
    +              match = token.match(patternParts[1]);
    +              if (match) {
    +                style = patternParts[0];
    +                break;
    +              }
    +            }
    +
    +            if (!match) {  // make sure that we make progress
    +              style = PR_PLAIN;
    +            }
    +          }
    +
    +          isEmbedded = style.length >= 5 && 'lang-' === style.substring(0, 5);
    +          if (isEmbedded && !(match && typeof match[1] === 'string')) {
    +            isEmbedded = false;
    +            style = PR_SOURCE;
    +          }
    +
    +          if (!isEmbedded) { styleCache[token] = style; }
    +        }
    +
    +        var tokenStart = pos;
    +        pos += token.length;
    +
    +        if (!isEmbedded) {
    +          decorations.push(basePos + tokenStart, style);
    +        } else {  // Treat group 1 as an embedded block of source code.
    +          var embeddedSource = match[1];
    +          var embeddedSourceStart = token.indexOf(embeddedSource);
    +          var embeddedSourceEnd = embeddedSourceStart + embeddedSource.length;
    +          if (match[2]) {
    +            // If embeddedSource can be blank, then it would match at the
    +            // beginning which would cause us to infinitely recurse on the
    +            // entire token, so we catch the right context in match[2].
    +            embeddedSourceEnd = token.length - match[2].length;
    +            embeddedSourceStart = embeddedSourceEnd - embeddedSource.length;
    +          }
    +          var lang = style.substring(5);
    +          // Decorate the left of the embedded source
    +          appendDecorations(
    +              basePos + tokenStart,
    +              token.substring(0, embeddedSourceStart),
    +              decorate, decorations);
    +          // Decorate the embedded source
    +          appendDecorations(
    +              basePos + tokenStart + embeddedSourceStart,
    +              embeddedSource,
    +              langHandlerForExtension(lang, embeddedSource),
    +              decorations);
    +          // Decorate the right of the embedded section
    +          appendDecorations(
    +              basePos + tokenStart + embeddedSourceEnd,
    +              token.substring(embeddedSourceEnd),
    +              decorate, decorations);
    +        }
    +      }
    +      job.decorations = decorations;
    +    };
    +    return decorate;
    +  }
    +
    +  /** returns a function that produces a list of decorations from source text.
    +    *
    +    * This code treats ", ', and ` as string delimiters, and \ as a string
    +    * escape.  It does not recognize perl's qq() style strings.
    +    * It has no special handling for double delimiter escapes as in basic, or
    +    * the tripled delimiters used in python, but should work on those regardless
    +    * although in those cases a single string literal may be broken up into
    +    * multiple adjacent string literals.
    +    *
    +    * It recognizes C, C++, and shell style comments.
    +    *
    +    * @param {Object} options a set of optional parameters.
    +    * @return {function (Object)} a function that examines the source code
    +    *     in the input job and builds the decoration list.
    +    */
    +  function sourceDecorator(options) {
    +    var shortcutStylePatterns = [], fallthroughStylePatterns = [];
    +    if (options['tripleQuotedStrings']) {
    +      // '''multi-line-string''', 'single-line-string', and double-quoted
    +      shortcutStylePatterns.push(
    +          [PR_STRING,  /^(?:\'\'\'(?:[^\'\\]|\\[\s\S]|\'{1,2}(?=[^\']))*(?:\'\'\'|$)|\"\"\"(?:[^\"\\]|\\[\s\S]|\"{1,2}(?=[^\"]))*(?:\"\"\"|$)|\'(?:[^\\\']|\\[\s\S])*(?:\'|$)|\"(?:[^\\\"]|\\[\s\S])*(?:\"|$))/,
    +           null, '\'"']);
    +    } else if (options['multiLineStrings']) {
    +      // 'multi-line-string', "multi-line-string"
    +      shortcutStylePatterns.push(
    +          [PR_STRING,  /^(?:\'(?:[^\\\']|\\[\s\S])*(?:\'|$)|\"(?:[^\\\"]|\\[\s\S])*(?:\"|$)|\`(?:[^\\\`]|\\[\s\S])*(?:\`|$))/,
    +           null, '\'"`']);
    +    } else {
    +      // 'single-line-string', "single-line-string"
    +      shortcutStylePatterns.push(
    +          [PR_STRING,
    +           /^(?:\'(?:[^\\\'\r\n]|\\.)*(?:\'|$)|\"(?:[^\\\"\r\n]|\\.)*(?:\"|$))/,
    +           null, '"\'']);
    +    }
    +    if (options['verbatimStrings']) {
    +      // verbatim-string-literal production from the C# grammar.  See issue 93.
    +      fallthroughStylePatterns.push(
    +          [PR_STRING, /^@\"(?:[^\"]|\"\")*(?:\"|$)/, null]);
    +    }
    +    if (options['hashComments']) {
    +      if (options['cStyleComments']) {
    +        // Stop C preprocessor declarations at an unclosed open comment
    +        shortcutStylePatterns.push(
    +            [PR_COMMENT, /^#(?:(?:define|elif|else|endif|error|ifdef|include|ifndef|line|pragma|undef|warning)\b|[^\r\n]*)/,
    +             null, '#']);
    +        fallthroughStylePatterns.push(
    +            [PR_STRING,
    +             /^<(?:(?:(?:\.\.\/)*|\/?)(?:[\w-]+(?:\/[\w-]+)+)?[\w-]+\.h|[a-z]\w*)>/,
    +             null]);
    +      } else {
    +        shortcutStylePatterns.push([PR_COMMENT, /^#[^\r\n]*/, null, '#']);
    +      }
    +    }
    +    if (options['cStyleComments']) {
    +      fallthroughStylePatterns.push([PR_COMMENT, /^\/\/[^\r\n]*/, null]);
    +      fallthroughStylePatterns.push(
    +          [PR_COMMENT, /^\/\*[\s\S]*?(?:\*\/|$)/, null]);
    +    }
    +    if (options['regexLiterals']) {
    +      var REGEX_LITERAL = (
    +          // A regular expression literal starts with a slash that is
    +          // not followed by * or / so that it is not confused with
    +          // comments.
    +          '/(?=[^/*])'
    +          // and then contains any number of raw characters,
    +          + '(?:[^/\\x5B\\x5C]'
    +          // escape sequences (\x5C),
    +          +    '|\\x5C[\\s\\S]'
    +          // or non-nesting character sets (\x5B\x5D);
    +          +    '|\\x5B(?:[^\\x5C\\x5D]|\\x5C[\\s\\S])*(?:\\x5D|$))+'
    +          // finally closed by a /.
    +          + '/');
    +      fallthroughStylePatterns.push(
    +          ['lang-regex',
    +           new RegExp('^' + REGEXP_PRECEDER_PATTERN + '(' + REGEX_LITERAL + ')')
    +           ]);
    +    }
    +
    +    var keywords = options['keywords'].replace(/^\s+|\s+$/g, '');
    +    if (keywords.length) {
    +      fallthroughStylePatterns.push(
    +          [PR_KEYWORD,
    +           new RegExp('^(?:' + keywords.replace(/\s+/g, '|') + ')\\b'), null]);
    +    }
    +
    +    shortcutStylePatterns.push([PR_PLAIN,       /^\s+/, null, ' \r\n\t\xA0']);
    +    fallthroughStylePatterns.push(
    +        // TODO(mikesamuel): recognize non-latin letters and numerals in idents
    +        [PR_LITERAL,     /^@[a-z_$][a-z_$@0-9]*/i, null],
    +        [PR_TYPE,        /^@?[A-Z]+[a-z][A-Za-z_$@0-9]*/, null],
    +        [PR_PLAIN,       /^[a-z_$][a-z_$@0-9]*/i, null],
    +        [PR_LITERAL,
    +         new RegExp(
    +             '^(?:'
    +             // A hex number
    +             + '0x[a-f0-9]+'
    +             // or an octal or decimal number,
    +             + '|(?:\\d(?:_\\d+)*\\d*(?:\\.\\d*)?|\\.\\d\\+)'
    +             // possibly in scientific notation
    +             + '(?:e[+\\-]?\\d+)?'
    +             + ')'
    +             // with an optional modifier like UL for unsigned long
    +             + '[a-z]*', 'i'),
    +         null, '0123456789'],
    +        [PR_PUNCTUATION, /^.[^\s\w\.$@\'\"\`\/\#]*/, null]);
    +
    +    return createSimpleLexer(shortcutStylePatterns, fallthroughStylePatterns);
    +  }
    +
    +  var decorateSource = sourceDecorator({
    +        'keywords': ALL_KEYWORDS,
    +        'hashComments': true,
    +        'cStyleComments': true,
    +        'multiLineStrings': true,
    +        'regexLiterals': true
    +      });
    +
    +  /** Breaks {@code job.source} around style boundaries in
    +    * {@code job.decorations} while re-interleaving {@code job.extractedTags},
    +    * and leaves the result in {@code job.prettyPrintedHtml}.
    +    * @param {Object} job like {
    +    *    source: {string} source as plain text,
    +    *    extractedTags: {Array.<number|string>} extractedTags chunks of raw
    +    *                   html preceded by their position in {@code job.source}
    +    *                   in order
    +    *    decorations: {Array.<number|string} an array of style classes preceded
    +    *                 by the position at which they start in job.source in order
    +    * }
    +    * @private
    +    */
    +  function recombineTagsAndDecorations(job) {
    +    var sourceText = job.source;
    +    var extractedTags = job.extractedTags;
    +    var decorations = job.decorations;
    +
    +    var html = [];
    +    // index past the last char in sourceText written to html
    +    var outputIdx = 0;
    +
    +    var openDecoration = null;
    +    var currentDecoration = null;
    +    var tagPos = 0;  // index into extractedTags
    +    var decPos = 0;  // index into decorations
    +    var tabExpander = makeTabExpander(window['PR_TAB_WIDTH']);
    +
    +    var adjacentSpaceRe = /([\r\n ]) /g;
    +    var startOrSpaceRe = /(^| ) /gm;
    +    var newlineRe = /\r\n?|\n/g;
    +    var trailingSpaceRe = /[ \r\n]$/;
    +    var lastWasSpace = true;  // the last text chunk emitted ended with a space.
    +
    +    // See bug 71 and http://stackoverflow.com/questions/136443/why-doesnt-ie7-
    +    var isIE678 = window['_pr_isIE6']();
    +    var lineBreakHtml = (
    +        isIE678
    +        ? (job.sourceNode.tagName === 'PRE'
    +           // Use line feeds instead of <br>s so that copying and pasting works
    +           // on IE.
    +           // Doing this on other browsers breaks lots of stuff since \r\n is
    +           // treated as two newlines on Firefox.
    +           ? (isIE678 === 6 ? '&#160;\r\n' :
    +              isIE678 === 7 ? '&#160;<br>\r' : '&#160;\r')
    +           // IE collapses multiple adjacent <br>s into 1 line break.
    +           // Prefix every newline with '&#160;' to prevent such behavior.
    +           // &nbsp; is the same as &#160; but works in XML as well as HTML.
    +           : '&#160;<br />')
    +        : '<br />');
    +
    +    // Look for a class like linenums or linenums:<n> where <n> is the 1-indexed
    +    // number of the first line.
    +    var numberLines = job.sourceNode.className.match(/\blinenums\b(?::(\d+))?/);
    +    var lineBreaker;
    +    if (numberLines) {
    +      var lineBreaks = [];
    +      for (var i = 0; i < 10; ++i) {
    +        lineBreaks[i] = lineBreakHtml + '</li><li class="L' + i + '">';
    +      }
    +      var lineNum = numberLines[1] && numberLines[1].length
    +          ? numberLines[1] - 1 : 0;  // Lines are 1-indexed
    +      html.push('<ol class="linenums"><li class="L', (lineNum) % 10, '"');
    +      if (lineNum) {
    +        html.push(' value="', lineNum + 1, '"');
    +      }
    +      html.push('>');
    +      lineBreaker = function () {
    +        var lb = lineBreaks[++lineNum % 10];
    +        // If a decoration is open, we need to close it before closing a list-item
    +        // and reopen it on the other side of the list item.
    +        return openDecoration
    +            ? ('</span>' + lb + '<span class="' + openDecoration + '">') : lb;
    +      };
    +    } else {
    +      lineBreaker = lineBreakHtml;
    +    }
    +
    +    // A helper function that is responsible for opening sections of decoration
    +    // and outputing properly escaped chunks of source
    +    function emitTextUpTo(sourceIdx) {
    +      if (sourceIdx > outputIdx) {
    +        if (openDecoration && openDecoration !== currentDecoration) {
    +          // Close the current decoration
    +          html.push('</span>');
    +          openDecoration = null;
    +        }
    +        if (!openDecoration && currentDecoration) {
    +          openDecoration = currentDecoration;
    +          html.push('<span class="', openDecoration, '">');
    +        }
    +        // This interacts badly with some wikis which introduces paragraph tags
    +        // into pre blocks for some strange reason.
    +        // It's necessary for IE though which seems to lose the preformattedness
    +        // of <pre> tags when their innerHTML is assigned.
    +        // http://stud3.tuwien.ac.at/~e0226430/innerHtmlQuirk.html
    +        // and it serves to undo the conversion of <br>s to newlines done in
    +        // chunkify.
    +        var htmlChunk = textToHtml(
    +            tabExpander(sourceText.substring(outputIdx, sourceIdx)))
    +            .replace(lastWasSpace
    +                     ? startOrSpaceRe
    +                     : adjacentSpaceRe, '$1&#160;');
    +        // Keep track of whether we need to escape space at the beginning of the
    +        // next chunk.
    +        lastWasSpace = trailingSpaceRe.test(htmlChunk);
    +        html.push(htmlChunk.replace(newlineRe, lineBreaker));
    +        outputIdx = sourceIdx;
    +      }
    +    }
    +
    +    while (true) {
    +      // Determine if we're going to consume a tag this time around.  Otherwise
    +      // we consume a decoration or exit.
    +      var outputTag;
    +      if (tagPos < extractedTags.length) {
    +        if (decPos < decorations.length) {
    +          // Pick one giving preference to extractedTags since we shouldn't open
    +          // a new style that we're going to have to immediately close in order
    +          // to output a tag.
    +          outputTag = extractedTags[tagPos] <= decorations[decPos];
    +        } else {
    +          outputTag = true;
    +        }
    +      } else {
    +        outputTag = false;
    +      }
    +      // Consume either a decoration or a tag or exit.
    +      if (outputTag) {
    +        emitTextUpTo(extractedTags[tagPos]);
    +        if (openDecoration) {
    +          // Close the current decoration
    +          html.push('</span>');
    +          openDecoration = null;
    +        }
    +        html.push(extractedTags[tagPos + 1]);
    +        tagPos += 2;
    +      } else if (decPos < decorations.length) {
    +        emitTextUpTo(decorations[decPos]);
    +        currentDecoration = decorations[decPos + 1];
    +        decPos += 2;
    +      } else {
    +        break;
    +      }
    +    }
    +    emitTextUpTo(sourceText.length);
    +    if (openDecoration) {
    +      html.push('</span>');
    +    }
    +    if (numberLines) { html.push('</li></ol>'); }
    +    job.prettyPrintedHtml = html.join('');
    +  }
    +
    +  /** Maps language-specific file extensions to handlers. */
    +  var langHandlerRegistry = {};
    +  /** Register a language handler for the given file extensions.
    +    * @param {function (Object)} handler a function from source code to a list
    +    *      of decorations.  Takes a single argument job which describes the
    +    *      state of the computation.   The single parameter has the form
    +    *      {@code {
    +    *        source: {string} as plain text.
    +    *        decorations: {Array.<number|string>} an array of style classes
    +    *                     preceded by the position at which they start in
    +    *                     job.source in order.
    +    *                     The language handler should assigned this field.
    +    *        basePos: {int} the position of source in the larger source chunk.
    +    *                 All positions in the output decorations array are relative
    +    *                 to the larger source chunk.
    +    *      } }
    +    * @param {Array.<string>} fileExtensions
    +    */
    +  function registerLangHandler(handler, fileExtensions) {
    +    for (var i = fileExtensions.length; --i >= 0;) {
    +      var ext = fileExtensions[i];
    +      if (!langHandlerRegistry.hasOwnProperty(ext)) {
    +        langHandlerRegistry[ext] = handler;
    +      } else if ('console' in window) {
    +        console['warn']('cannot override language handler %s', ext);
    +      }
    +    }
    +  }
    +  function langHandlerForExtension(extension, source) {
    +    if (!(extension && langHandlerRegistry.hasOwnProperty(extension))) {
    +      // Treat it as markup if the first non whitespace character is a < and
    +      // the last non-whitespace character is a >.
    +      extension = /^\s*</.test(source)
    +          ? 'default-markup'
    +          : 'default-code';
    +    }
    +    return langHandlerRegistry[extension];
    +  }
    +  registerLangHandler(decorateSource, ['default-code']);
    +  registerLangHandler(
    +      createSimpleLexer(
    +          [],
    +          [
    +           [PR_PLAIN,       /^[^<?]+/],
    +           [PR_DECLARATION, /^<!\w[^>]*(?:>|$)/],
    +           [PR_COMMENT,     /^<\!--[\s\S]*?(?:-\->|$)/],
    +           // Unescaped content in an unknown language
    +           ['lang-',        /^<\?([\s\S]+?)(?:\?>|$)/],
    +           ['lang-',        /^<%([\s\S]+?)(?:%>|$)/],
    +           [PR_PUNCTUATION, /^(?:<[%?]|[%?]>)/],
    +           ['lang-',        /^<xmp\b[^>]*>([\s\S]+?)<\/xmp\b[^>]*>/i],
    +           // Unescaped content in javascript.  (Or possibly vbscript).
    +           ['lang-js',      /^<script\b[^>]*>([\s\S]*?)(<\/script\b[^>]*>)/i],
    +           // Contains unescaped stylesheet content
    +           ['lang-css',     /^<style\b[^>]*>([\s\S]*?)(<\/style\b[^>]*>)/i],
    +           ['lang-in.tag',  /^(<\/?[a-z][^<>]*>)/i]
    +          ]),
    +      ['default-markup', 'htm', 'html', 'mxml', 'xhtml', 'xml', 'xsl']);
    +  registerLangHandler(
    +      createSimpleLexer(
    +          [
    +           [PR_PLAIN,        /^[\s]+/, null, ' \t\r\n'],
    +           [PR_ATTRIB_VALUE, /^(?:\"[^\"]*\"?|\'[^\']*\'?)/, null, '\"\'']
    +           ],
    +          [
    +           [PR_TAG,          /^^<\/?[a-z](?:[\w.:-]*\w)?|\/?>$/i],
    +           [PR_ATTRIB_NAME,  /^(?!style[\s=]|on)[a-z](?:[\w:-]*\w)?/i],
    +           ['lang-uq.val',   /^=\s*([^>\'\"\s]*(?:[^>\'\"\s\/]|\/(?=\s)))/],
    +           [PR_PUNCTUATION,  /^[=<>\/]+/],
    +           ['lang-js',       /^on\w+\s*=\s*\"([^\"]+)\"/i],
    +           ['lang-js',       /^on\w+\s*=\s*\'([^\']+)\'/i],
    +           ['lang-js',       /^on\w+\s*=\s*([^\"\'>\s]+)/i],
    +           ['lang-css',      /^style\s*=\s*\"([^\"]+)\"/i],
    +           ['lang-css',      /^style\s*=\s*\'([^\']+)\'/i],
    +           ['lang-css',      /^style\s*=\s*([^\"\'>\s]+)/i]
    +           ]),
    +      ['in.tag']);
    +  registerLangHandler(
    +      createSimpleLexer([], [[PR_ATTRIB_VALUE, /^[\s\S]+/]]), ['uq.val']);
    +  registerLangHandler(sourceDecorator({
    +          'keywords': CPP_KEYWORDS,
    +          'hashComments': true,
    +          'cStyleComments': true
    +        }), ['c', 'cc', 'cpp', 'cxx', 'cyc', 'm']);
    +  registerLangHandler(sourceDecorator({
    +          'keywords': 'null true false'
    +        }), ['json']);
    +  registerLangHandler(sourceDecorator({
    +          'keywords': CSHARP_KEYWORDS,
    +          'hashComments': true,
    +          'cStyleComments': true,
    +          'verbatimStrings': true
    +        }), ['cs']);
    +  registerLangHandler(sourceDecorator({
    +          'keywords': JAVA_KEYWORDS,
    +          'cStyleComments': true
    +        }), ['java']);
    +  registerLangHandler(sourceDecorator({
    +          'keywords': SH_KEYWORDS,
    +          'hashComments': true,
    +          'multiLineStrings': true
    +        }), ['bsh', 'csh', 'sh']);
    +  registerLangHandler(sourceDecorator({
    +          'keywords': PYTHON_KEYWORDS,
    +          'hashComments': true,
    +          'multiLineStrings': true,
    +          'tripleQuotedStrings': true
    +        }), ['cv', 'py']);
    +  registerLangHandler(sourceDecorator({
    +          'keywords': PERL_KEYWORDS,
    +          'hashComments': true,
    +          'multiLineStrings': true,
    +          'regexLiterals': true
    +        }), ['perl', 'pl', 'pm']);
    +  registerLangHandler(sourceDecorator({
    +          'keywords': RUBY_KEYWORDS,
    +          'hashComments': true,
    +          'multiLineStrings': true,
    +          'regexLiterals': true
    +        }), ['rb']);
    +  registerLangHandler(sourceDecorator({
    +          'keywords': JSCRIPT_KEYWORDS,
    +          'cStyleComments': true,
    +          'regexLiterals': true
    +        }), ['js']);
    +  registerLangHandler(
    +      createSimpleLexer([], [[PR_STRING, /^[\s\S]+/]]), ['regex']);
    +
    +  function applyDecorator(job) {
    +    var sourceCodeHtml = job.sourceCodeHtml;
    +    var opt_langExtension = job.langExtension;
    +
    +    // Prepopulate output in case processing fails with an exception.
    +    job.prettyPrintedHtml = sourceCodeHtml;
    +
    +    try {
    +      // Extract tags, and convert the source code to plain text.
    +      var sourceAndExtractedTags = extractTags(sourceCodeHtml);
    +      /** Plain text. @type {string} */
    +      var source = sourceAndExtractedTags.source;
    +      job.source = source;
    +      job.basePos = 0;
    +
    +      /** Even entries are positions in source in ascending order.  Odd entries
    +        * are tags that were extracted at that position.
    +        * @type {Array.<number|string>}
    +        */
    +      job.extractedTags = sourceAndExtractedTags.tags;
    +
    +      // Apply the appropriate language handler
    +      langHandlerForExtension(opt_langExtension, source)(job);
    +      // Integrate the decorations and tags back into the source code to produce
    +      // a decorated html string which is left in job.prettyPrintedHtml.
    +      recombineTagsAndDecorations(job);
    +    } catch (e) {
    +      if ('console' in window) {
    +        console['log'](e && e['stack'] ? e['stack'] : e);
    +      }
    +    }
    +  }
    +
    +  function prettyPrintOne(sourceCodeHtml, opt_langExtension) {
    +    var job = {
    +      sourceCodeHtml: sourceCodeHtml,
    +      langExtension: opt_langExtension
    +    };
    +    applyDecorator(job);
    +    return job.prettyPrintedHtml;
    +  }
    +
    +  function prettyPrint(opt_whenDone) {
    +    function byTagName(tn) { return document.getElementsByTagName(tn); }
    +    // fetch a list of nodes to rewrite
    +    var codeSegments = [byTagName('pre'), byTagName('code'), byTagName('xmp')];
    +    var elements = [];
    +    for (var i = 0; i < codeSegments.length; ++i) {
    +      for (var j = 0, n = codeSegments[i].length; j < n; ++j) {
    +        elements.push(codeSegments[i][j]);
    +      }
    +    }
    +    codeSegments = null;
    +
    +    var clock = Date;
    +    if (!clock['now']) {
    +      clock = { 'now': function () { return (new Date).getTime(); } };
    +    }
    +
    +    // The loop is broken into a series of continuations to make sure that we
    +    // don't make the browser unresponsive when rewriting a large page.
    +    var k = 0;
    +    var prettyPrintingJob;
    +
    +    function doWork() {
    +      var endTime = (window['PR_SHOULD_USE_CONTINUATION'] ?
    +                     clock.now() + 250 /* ms */ :
    +                     Infinity);
    +      for (; k < elements.length && clock.now() < endTime; k++) {
    +        var cs = elements[k];
    +        // [JACOCO] 'prettyprint' -> 'source'
    +        if (cs.className && cs.className.indexOf('source') >= 0) {
    +          // If the classes includes a language extensions, use it.
    +          // Language extensions can be specified like
    +          //     <pre class="prettyprint lang-cpp">
    +          // the language extension "cpp" is used to find a language handler as
    +          // passed to PR_registerLangHandler.
    +          var langExtension = cs.className.match(/\blang-(\w+)\b/);
    +          if (langExtension) { langExtension = langExtension[1]; }
    +
    +          // make sure this is not nested in an already prettified element
    +          var nested = false;
    +          for (var p = cs.parentNode; p; p = p.parentNode) {
    +            if ((p.tagName === 'pre' || p.tagName === 'code' ||
    +                 p.tagName === 'xmp') &&
    +                // [JACOCO] 'prettyprint' -> 'source'
    +                p.className && p.className.indexOf('source') >= 0) {
    +              nested = true;
    +              break;
    +            }
    +          }
    +          if (!nested) {
    +            // fetch the content as a snippet of properly escaped HTML.
    +            // Firefox adds newlines at the end.
    +            var content = getInnerHtml(cs);
    +            content = content.replace(/(?:\r\n?|\n)$/, '');
    +
    +            // do the pretty printing
    +            prettyPrintingJob = {
    +              sourceCodeHtml: content,
    +              langExtension: langExtension,
    +              sourceNode: cs
    +            };
    +            applyDecorator(prettyPrintingJob);
    +            replaceWithPrettyPrintedHtml();
    +          }
    +        }
    +      }
    +      if (k < elements.length) {
    +        // finish up in a continuation
    +        setTimeout(doWork, 250);
    +      } else if (opt_whenDone) {
    +        opt_whenDone();
    +      }
    +    }
    +
    +    function replaceWithPrettyPrintedHtml() {
    +      var newContent = prettyPrintingJob.prettyPrintedHtml;
    +      if (!newContent) { return; }
    +      var cs = prettyPrintingJob.sourceNode;
    +
    +      // push the prettified html back into the tag.
    +      if (!isRawContent(cs)) {
    +        // just replace the old html with the new
    +        cs.innerHTML = newContent;
    +      } else {
    +        // we need to change the tag to a <pre> since <xmp>s do not allow
    +        // embedded tags such as the span tags used to attach styles to
    +        // sections of source code.
    +        var pre = document.createElement('PRE');
    +        for (var i = 0; i < cs.attributes.length; ++i) {
    +          var a = cs.attributes[i];
    +          if (a.specified) {
    +            var aname = a.name.toLowerCase();
    +            if (aname === 'class') {
    +              pre.className = a.value;  // For IE 6
    +            } else {
    +              pre.setAttribute(a.name, a.value);
    +            }
    +          }
    +        }
    +        pre.innerHTML = newContent;
    +
    +        // remove the old
    +        cs.parentNode.replaceChild(pre, cs);
    +        cs = pre;
    +      }
    +    }
    +
    +    doWork();
    +  }
    +
    +  window['PR_normalizedHtml'] = normalizedHtml;
    +  window['prettyPrintOne'] = prettyPrintOne;
    +  window['prettyPrint'] = prettyPrint;
    +  window['PR'] = {
    +        'combinePrefixPatterns': combinePrefixPatterns,
    +        'createSimpleLexer': createSimpleLexer,
    +        'registerLangHandler': registerLangHandler,
    +        'sourceDecorator': sourceDecorator,
    +        'PR_ATTRIB_NAME': PR_ATTRIB_NAME,
    +        'PR_ATTRIB_VALUE': PR_ATTRIB_VALUE,
    +        'PR_COMMENT': PR_COMMENT,
    +        'PR_DECLARATION': PR_DECLARATION,
    +        'PR_KEYWORD': PR_KEYWORD,
    +        'PR_LITERAL': PR_LITERAL,
    +        'PR_NOCODE': PR_NOCODE,
    +        'PR_PLAIN': PR_PLAIN,
    +        'PR_PUNCTUATION': PR_PUNCTUATION,
    +        'PR_SOURCE': PR_SOURCE,
    +        'PR_STRING': PR_STRING,
    +        'PR_TAG': PR_TAG,
    +        'PR_TYPE': PR_TYPE
    +      };
    +})();
    diff --git a/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/redbar.gif b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/redbar.gif
    new file mode 100644
    index 0000000..c2f7146
    Binary files /dev/null and b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/redbar.gif differ
    diff --git a/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/report.css b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/report.css
    new file mode 100644
    index 0000000..dd936bc
    --- /dev/null
    +++ b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/report.css
    @@ -0,0 +1,243 @@
    +body, td {
    +  font-family:sans-serif;
    +  font-size:10pt;
    +}
    +
    +h1 {
    +  font-weight:bold;
    +  font-size:18pt;
    +}
    +
    +.breadcrumb {
    +  border:#d6d3ce 1px solid;
    +  padding:2px 4px 2px 4px;
    +}
    +
    +.breadcrumb .info {
    +  float:right;
    +}
    +
    +.breadcrumb .info a {
    +  margin-left:8px;
    +}
    +
    +.el_report {
    +  padding-left:18px;
    +  background-image:url(report.gif);
    +  background-position:left center;
    +  background-repeat:no-repeat;
    +}
    +
    +.el_group {
    +  padding-left:18px;
    +  background-image:url(group.gif);
    +  background-position:left center;
    +  background-repeat:no-repeat;
    +}
    +
    +.el_bundle {
    +  padding-left:18px;
    +  background-image:url(bundle.gif);
    +  background-position:left center;
    +  background-repeat:no-repeat;
    +}
    +
    +.el_package {
    +  padding-left:18px;
    +  background-image:url(package.gif);
    +  background-position:left center;
    +  background-repeat:no-repeat;
    +}
    +
    +.el_class {
    +  padding-left:18px;
    +  background-image:url(class.gif);
    +  background-position:left center;
    +  background-repeat:no-repeat;
    +}
    +
    +.el_source {
    +  padding-left:18px;
    +  background-image:url(source.gif);
    +  background-position:left center;
    +  background-repeat:no-repeat;
    +}
    +
    +.el_method {
    +  padding-left:18px;
    +  background-image:url(method.gif);
    +  background-position:left center;
    +  background-repeat:no-repeat;
    +}
    +
    +.el_session {
    +  padding-left:18px;
    +  background-image:url(session.gif);
    +  background-position:left center;
    +  background-repeat:no-repeat;
    +}
    +
    +pre.source {
    +  border:#d6d3ce 1px solid;
    +  font-family:monospace;
    +}
    +
    +pre.source ol {
    +  margin-bottom: 0px;
    +  margin-top: 0px;
    +}
    +
    +pre.source li {
    +  border-left: 1px solid #D6D3CE;
    +  color: #A0A0A0;
    +  padding-left: 0px;
    +}
    +
    +pre.source span.fc {
    +  background-color:#ccffcc;
    +}
    +
    +pre.source span.nc {
    +  background-color:#ffaaaa;
    +}
    +
    +pre.source span.pc {
    +  background-color:#ffffcc;
    +}
    +
    +pre.source span.bfc {
    +  background-image: url(branchfc.gif);
    +  background-repeat: no-repeat;
    +  background-position: 2px center;
    +}
    +
    +pre.source span.bfc:hover {
    +  background-color:#80ff80;
    +}
    +
    +pre.source span.bnc {
    +  background-image: url(branchnc.gif);
    +  background-repeat: no-repeat;
    +  background-position: 2px center;
    +}
    +
    +pre.source span.bnc:hover {
    +  background-color:#ff8080;
    +}
    +
    +pre.source span.bpc {
    +  background-image: url(branchpc.gif);
    +  background-repeat: no-repeat;
    +  background-position: 2px center;
    +}
    +
    +pre.source span.bpc:hover {
    +  background-color:#ffff80;
    +}
    +
    +table.coverage {
    +  empty-cells:show;
    +  border-collapse:collapse;
    +}
    +
    +table.coverage thead {
    +  background-color:#e0e0e0;
    +}
    +
    +table.coverage thead td {
    +  white-space:nowrap;
    +  padding:2px 14px 0px 6px;
    +  border-bottom:#b0b0b0 1px solid;
    +}
    +
    +table.coverage thead td.bar {
    +  border-left:#cccccc 1px solid;
    +}
    +
    +table.coverage thead td.ctr1 {
    +  text-align:right;
    +  border-left:#cccccc 1px solid;
    +}
    +
    +table.coverage thead td.ctr2 {
    +  text-align:right;
    +  padding-left:2px;
    +}
    +
    +table.coverage thead td.sortable {
    +  cursor:pointer;
    +  background-image:url(sort.gif);
    +  background-position:right center;
    +  background-repeat:no-repeat;
    +}
    +
    +table.coverage thead td.up {
    +  background-image:url(up.gif);
    +}
    +
    +table.coverage thead td.down {
    +  background-image:url(down.gif);
    +}
    +
    +table.coverage tbody td {
    +  white-space:nowrap;
    +  padding:2px 6px 2px 6px;
    +  border-bottom:#d6d3ce 1px solid;
    +}
    +
    +table.coverage tbody tr:hover {
    +  background: #f0f0d0 !important;
    +}
    +
    +table.coverage tbody td.bar {
    +  border-left:#e8e8e8 1px solid;
    +}
    +
    +table.coverage tbody td.ctr1 {
    +  text-align:right;
    +  padding-right:14px;
    +  border-left:#e8e8e8 1px solid;
    +}
    +
    +table.coverage tbody td.ctr2 {
    +  text-align:right;
    +  padding-right:14px;
    +  padding-left:2px;
    +}
    +
    +table.coverage tfoot td {
    +  white-space:nowrap;
    +  padding:2px 6px 2px 6px;
    +}
    +
    +table.coverage tfoot td.bar {
    +  border-left:#e8e8e8 1px solid;
    +}
    +
    +table.coverage tfoot td.ctr1 {
    +  text-align:right;
    +  padding-right:14px;
    +  border-left:#e8e8e8 1px solid;
    +}
    +
    +table.coverage tfoot td.ctr2 {
    +  text-align:right;
    +  padding-right:14px;
    +  padding-left:2px;
    +}
    +
    +.footer {
    +  margin-top:20px;
    +  border-top:#d6d3ce 1px solid;
    +  padding-top:2px;
    +  font-size:8pt;
    +  color:#a0a0a0;
    +}
    +
    +.footer a {
    +  color:#a0a0a0;
    +}
    +
    +.right {
    +  float:right;
    +}
    diff --git a/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/report.gif b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/report.gif
    new file mode 100644
    index 0000000..8547be5
    Binary files /dev/null and b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/report.gif differ
    diff --git a/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/session.gif b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/session.gif
    new file mode 100644
    index 0000000..0151bad
    Binary files /dev/null and b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/session.gif differ
    diff --git a/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/sort.gif b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/sort.gif
    new file mode 100644
    index 0000000..6757c2c
    Binary files /dev/null and b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/sort.gif differ
    diff --git a/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/sort.js b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/sort.js
    new file mode 100644
    index 0000000..fa9db08
    --- /dev/null
    +++ b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/sort.js
    @@ -0,0 +1,148 @@
    +/*******************************************************************************
    + * Copyright (c) 2009, 2022 Mountainminds GmbH & Co. KG and Contributors
    + * This program and the accompanying materials are made available under
    + * the terms of the Eclipse Public License 2.0 which is available at
    + * http://www.eclipse.org/legal/epl-2.0
    + *
    + * SPDX-License-Identifier: EPL-2.0
    + *
    + * Contributors:
    + *    Marc R. Hoffmann - initial API and implementation
    + *
    + *******************************************************************************/
    +
    +(function () {
    +
    +  /**
    +   * Sets the initial sorting derived from the hash.
    +   *
    +   * @param linkelementids
    +   *          list of element ids to search for links to add sort inidcator
    +   *          hash links
    +   */
    +  function initialSort(linkelementids) {
    +    window.linkelementids = linkelementids;
    +    var hash = window.location.hash;
    +    if (hash) {
    +      var m = hash.match(/up-./);
    +      if (m) {
    +        var header = window.document.getElementById(m[0].charAt(3));
    +        if (header) {
    +          sortColumn(header, true);
    +        }
    +        return;
    +      }
    +      var m = hash.match(/dn-./);
    +      if (m) {
    +        var header = window.document.getElementById(m[0].charAt(3));
    +        if (header) {
    +          sortColumn(header, false);
    +        }
    +        return
    +      }
    +    }
    +  }
    +
    +  /**
    +   * Sorts the columns with the given header dependening on the current sort state.
    +   */
    +  function toggleSort(header) {
    +    var sortup = header.className.indexOf('down ') == 0;
    +    sortColumn(header, sortup);
    +  }
    +
    +  /**
    +   * Sorts the columns with the given header in the given direction.
    +   */
    +  function sortColumn(header, sortup) {
    +    var table = header.parentNode.parentNode.parentNode;
    +    var body = table.tBodies[0];
    +    var colidx = getNodePosition(header);
    +
    +    resetSortedStyle(table);
    +
    +    var rows = body.rows;
    +    var sortedrows = [];
    +    for (var i = 0; i < rows.length; i++) {
    +      r = rows[i];
    +      sortedrows[parseInt(r.childNodes[colidx].id.slice(1))] = r;
    +    }
    +
    +    var hash;
    +
    +    if (sortup) {
    +      for (var i = sortedrows.length - 1; i >= 0; i--) {
    +        body.appendChild(sortedrows[i]);
    +      }
    +      header.className = 'up ' + header.className;
    +      hash = 'up-' + header.id;
    +    } else {
    +      for (var i = 0; i < sortedrows.length; i++) {
    +        body.appendChild(sortedrows[i]);
    +      }
    +      header.className = 'down ' + header.className;
    +      hash = 'dn-' + header.id;
    +    }
    +
    +    setHash(hash);
    +  }
    +
    +  /**
    +   * Adds the sort indicator as a hash to the document URL and all links.
    +   */
    +  function setHash(hash) {
    +    window.document.location.hash = hash;
    +    ids = window.linkelementids;
    +    for (var i = 0; i < ids.length; i++) {
    +        setHashOnAllLinks(document.getElementById(ids[i]), hash);
    +    }
    +  }
    +
    +  /**
    +   * Extend all links within the given tag with the given hash.
    +   */
    +  function setHashOnAllLinks(tag, hash) {
    +    links = tag.getElementsByTagName("a");
    +    for (var i = 0; i < links.length; i++) {
    +        var a = links[i];
    +        var href = a.href;
    +        var hashpos = href.indexOf("#");
    +        if (hashpos != -1) {
    +            href = href.substring(0, hashpos);
    +        }
    +        a.href = href + "#" + hash;
    +    }
    +  }
    +
    +  /**
    +   * Calculates the position of a element within its parent.
    +   */
    +  function getNodePosition(element) {
    +    var pos = -1;
    +    while (element) {
    +      element = element.previousSibling;
    +      pos++;
    +    }
    +    return pos;
    +  }
    +
    +  /**
    +   * Remove the sorting indicator style from all headers.
    +   */
    +  function resetSortedStyle(table) {
    +    for (var c = table.tHead.firstChild.firstChild; c; c = c.nextSibling) {
    +      if (c.className) {
    +        if (c.className.indexOf('down ') == 0) {
    +          c.className = c.className.slice(5);
    +        }
    +        if (c.className.indexOf('up ') == 0) {
    +          c.className = c.className.slice(3);
    +        }
    +      }
    +    }
    +  }
    +
    +  window['initialSort'] = initialSort;
    +  window['toggleSort'] = toggleSort;
    +
    +})();
    diff --git a/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/source.gif b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/source.gif
    new file mode 100644
    index 0000000..b226e41
    Binary files /dev/null and b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/source.gif differ
    diff --git a/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/up.gif b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/up.gif
    new file mode 100644
    index 0000000..58ed216
    Binary files /dev/null and b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-resources/up.gif differ
    diff --git a/WS24_25/SWTD/buch/target/site/jacoco/jacoco-sessions.html b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-sessions.html
    new file mode 100644
    index 0000000..3bf749e
    --- /dev/null
    +++ b/WS24_25/SWTD/buch/target/site/jacoco/jacoco-sessions.html
    @@ -0,0 +1 @@
    +<?xml version="1.0" encoding="UTF-8"?><!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd"><html xmlns="http://www.w3.org/1999/xhtml" lang="en"><head><meta http-equiv="Content-Type" content="text/html;charset=UTF-8"/><link rel="stylesheet" href="jacoco-resources/report.css" type="text/css"/><link rel="shortcut icon" href="jacoco-resources/report.gif" type="image/gif"/><title>Sessions</title></head><body><div class="breadcrumb" id="breadcrumb"><span class="info"><a href="jacoco-sessions.html" class="el_session">Sessions</a></span><a href="index.html" class="el_report">buch</a> &gt; <span class="el_session">Sessions</span></div><h1>Sessions</h1><p>This coverage report is based on execution data from the following sessions:</p><table class="coverage" cellspacing="0"><thead><tr><td>Session</td><td>Start Time</td><td>Dump Time</td></tr></thead><tbody><tr><td><span class="el_session">lachstop-115de4c6</span></td><td>Jan 6, 2025, 11:01:29 PM</td><td>Jan 6, 2025, 11:01:29 PM</td></tr></tbody></table><p>Execution data for the following classes is considered in this report:</p><table class="coverage" cellspacing="0"><thead><tr><td>Class</td><td>Id</td></tr></thead><tbody><tr><td><span class="el_class">HelloTest</span></td><td><code>9c626c771ff0922f</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.booter.BaseProviderFactory</span></td><td><code>5bdb25554fb3d5df</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.booter.BiProperty</span></td><td><code>9a2074ae999b3c8a</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.booter.Command</span></td><td><code>f31ca5085797c808</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.booter.DumpErrorSingleton</span></td><td><code>e3f1c75f159a9ac5</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.booter.ForkedProcessEventType</span></td><td><code>dc56c5dba14b9d58</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.booter.ForkingReporterFactory</span></td><td><code>bcadcd63978e8dcf</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.booter.ForkingRunListener</span></td><td><code>08c963875a23e517</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.booter.MasterProcessCommand</span></td><td><code>90562129b4defd58</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.booter.Shutdown</span></td><td><code>fab38023c4f1ded4</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.cli.CommandLineOption</span></td><td><code>4401c2efb3702254</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.provider.AbstractProvider</span></td><td><code>cf68f167cf236f7b</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.report.ConsoleOutputCapture</span></td><td><code>b8719a08fbb63e05</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.report.ConsoleOutputCapture.ForwardingPrintStream</span></td><td><code>7c2392ea44674f2d</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.report.ConsoleOutputCapture.NullOutputStream</span></td><td><code>f7132188596462e2</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.report.ReporterConfiguration</span></td><td><code>39591ad2c5816a79</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.report.RunMode</span></td><td><code>f02e60476bce4d8d</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.report.SimpleReportEntry</span></td><td><code>e252cb5986c391cc</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.suite.RunResult</span></td><td><code>8d97f6894fd90ced</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.testset.DirectoryScannerParameters</span></td><td><code>c53ea59aeaf0b80a</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.testset.IncludedExcludedPatterns</span></td><td><code>43b8f8de9b3a1945</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.testset.ResolvedTest</span></td><td><code>7e73a65f1017294e</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.testset.ResolvedTest.ClassMatcher</span></td><td><code>0f9c29dc1562afeb</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.testset.ResolvedTest.MethodMatcher</span></td><td><code>fccae89ce7b4ee31</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.testset.ResolvedTest.Type</span></td><td><code>bf93fc9765a2bd72</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.testset.RunOrderParameters</span></td><td><code>cb70af248c260139</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.testset.TestArtifactInfo</span></td><td><code>c68e923f629df613</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.testset.TestListResolver</span></td><td><code>3dc896f10c8df96c</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.testset.TestRequest</span></td><td><code>976405c051909d71</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.util.CloseableIterator</span></td><td><code>f2c0acf940ec6fbe</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.util.DefaultRunOrderCalculator</span></td><td><code>1f50ae9e4b9717cd</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.util.DefaultScanResult</span></td><td><code>46fdc84739146387</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.util.ReflectionUtils</span></td><td><code>6079e135f863f220</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.util.RunOrder</span></td><td><code>0ea36dbbf05327aa</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.util.TestsToRun</span></td><td><code>cc3376426ef9c01c</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.util.TestsToRun.ClassesIterator</span></td><td><code>cd6601db7bc899db</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.util.internal.AbstractNoninterruptibleReadableChannel</span></td><td><code>6abb59e4c94390af</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.util.internal.AbstractNoninterruptibleWritableChannel</span></td><td><code>989f9bf3c66ab7be</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.util.internal.Channels</span></td><td><code>95e459b596e3b873</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.util.internal.Channels.3</span></td><td><code>9770f03bd51e14f7</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.util.internal.Channels.4</span></td><td><code>a0e3eaa91d355cc2</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.util.internal.DaemonThreadFactory</span></td><td><code>a56bf84543725f3a</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.util.internal.DaemonThreadFactory.NamedThreadFactory</span></td><td><code>cfeefeb0265a8a13</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.util.internal.DumpFileUtils</span></td><td><code>9a7dbfdf3c2027c8</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.util.internal.ImmutableMap</span></td><td><code>ee11b540cdd4034e</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.util.internal.ImmutableMap.Node</span></td><td><code>984f6258c6d6ac9c</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.api.util.internal.ObjectUtils</span></td><td><code>8c788ffcde97fbb4</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.AbstractPathConfiguration</span></td><td><code>4839ca4be6e46906</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.BooterDeserializer</span></td><td><code>02dc12ed0aec9547</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.ClassLoaderConfiguration</span></td><td><code>462fdbd63f8ea8c8</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.Classpath</span></td><td><code>5c18bd381e88bcc8</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.ClasspathConfiguration</span></td><td><code>4c9fc97c565be4cc</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.CommandReader</span></td><td><code>c29c2eca0cd24bfc</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.CommandReader.1</span></td><td><code>727226d97ed192cb</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.CommandReader.CommandRunnable</span></td><td><code>41ac58e8d85ca2bd</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.ForkedBooter</span></td><td><code>708bf5b29b088537</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.ForkedBooter.1</span></td><td><code>7d062229af4458f7</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.ForkedBooter.3</span></td><td><code>093e1d6ec83caf1c</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.ForkedBooter.4</span></td><td><code>88f2f3e42230f38d</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.ForkedBooter.6</span></td><td><code>a150022bee6cbd41</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.ForkedBooter.7</span></td><td><code>7d0ab78a1157bb24</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.ForkedBooter.8</span></td><td><code>01800b3929973273</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.ForkedBooter.PingScheduler</span></td><td><code>fb97687ca93ecbd1</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.PpidChecker</span></td><td><code>cc99aab0e566c991</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.ProcessCheckerType</span></td><td><code>5e6688e4a6a909e6</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.PropertiesWrapper</span></td><td><code>f63d2b2f2fd9087a</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.ProviderConfiguration</span></td><td><code>146800cea9c5f6cc</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.StartupConfiguration</span></td><td><code>1cb50557cb9ebb0b</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.SystemPropertyManager</span></td><td><code>3a0459e270104889</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.TypeEncodedValue</span></td><td><code>25e613e357b4f737</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.spi.LegacyMasterProcessChannelDecoder</span></td><td><code>477264b3887a3b8b</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.spi.LegacyMasterProcessChannelDecoder.FrameCompletion</span></td><td><code>00319e897e4dfd77</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.spi.LegacyMasterProcessChannelEncoder</span></td><td><code>d52ce258d8e88d04</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.spi.LegacyMasterProcessChannelProcessorFactory</span></td><td><code>3e8e80dcadf11ad6</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.booter.spi.SurefireMasterProcessChannelProcessorFactory</span></td><td><code>6bb9533ad5c08a49</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.junitplatform.JUnitPlatformProvider</span></td><td><code>847b42ef97f97d2b</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.junitplatform.RunListenerAdapter</span></td><td><code>d23fd29ada1102cb</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.junitplatform.RunListenerAdapter.1</span></td><td><code>55724259eef83afa</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.junitplatform.TestPlanScannerFilter</span></td><td><code>a3ae2542fd30e874</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.shared.codec.binary.Base64</span></td><td><code>cd6927ec7cf0569e</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.shared.codec.binary.BaseNCodec</span></td><td><code>c8dd8163b58acfc1</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.shared.codec.binary.BaseNCodec.Context</span></td><td><code>84b370e464e7008c</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.shared.lang3.JavaVersion</span></td><td><code>590095a767529b48</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.shared.lang3.StringUtils</span></td><td><code>ae3c2c379ffab6fd</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.shared.lang3.SystemUtils</span></td><td><code>e4faf882077bc6c0</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.shared.lang3.math.NumberUtils</span></td><td><code>505629194db735ed</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.shared.utils.StringUtils</span></td><td><code>5ba1288622b5e22e</code></td></tr><tr><td><span class="el_class">org.apache.maven.surefire.shared.utils.cli.ShutdownHookUtils</span></td><td><code>b7b46c5c1f482bd4</code></td></tr><tr><td><span class="el_class">org.apiguardian.api.API.Status</span></td><td><code>95d0ffea805fc01a</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.api.AssertEquals</span></td><td><code>e7a43ed17afc829d</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.api.AssertionUtils</span></td><td><code>932bf67003486569</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.api.Assertions</span></td><td><code>58a85bf9838e70b7</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.api.DisplayNameGenerator</span></td><td><code>ff38de3576197150</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.api.DisplayNameGenerator.IndicativeSentences</span></td><td><code>d3479e0ffacb9f9f</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.api.DisplayNameGenerator.ReplaceUnderscores</span></td><td><code>9c83688ffdea180b</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.api.DisplayNameGenerator.Simple</span></td><td><code>d01947bfadff13a2</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.api.DisplayNameGenerator.Standard</span></td><td><code>5f69fbdb73dadd83</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.api.TestInstance.Lifecycle</span></td><td><code>963667ad7acf2075</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.api.extension.ConditionEvaluationResult</span></td><td><code>fc311dfabd3a0e23</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.api.extension.ExtensionContext</span></td><td><code>6d743ab9f0c8d392</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.api.extension.ExtensionContext.Namespace</span></td><td><code>cc164c19cc2ec84e</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.api.extension.InvocationInterceptor</span></td><td><code>78636fba04d849bd</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.JupiterTestEngine</span></td><td><code>011031d0b1fe58db</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.config.CachingJupiterConfiguration</span></td><td><code>14c3e96d913ba609</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.config.DefaultJupiterConfiguration</span></td><td><code>150a59979eccb4d7</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.config.EnumConfigurationParameterConverter</span></td><td><code>433eec982a6fabbc</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.config.InstantiatingConfigurationParameterConverter</span></td><td><code>665228d315b7ac04</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.descriptor.AbstractExtensionContext</span></td><td><code>9d93b2a6a01092c9</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.descriptor.ClassBasedTestDescriptor</span></td><td><code>49129651cf7ad1b5</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.descriptor.ClassExtensionContext</span></td><td><code>67d8de68b849441a</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.descriptor.ClassTestDescriptor</span></td><td><code>2f87db51b4485e07</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.descriptor.DisplayNameUtils</span></td><td><code>e1e9919d0d67675d</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.descriptor.ExtensionUtils</span></td><td><code>722183e8696c5137</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.descriptor.JupiterEngineDescriptor</span></td><td><code>6354e569d97134a9</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.descriptor.JupiterEngineExtensionContext</span></td><td><code>25e568b41a4f507e</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.descriptor.JupiterTestDescriptor</span></td><td><code>8af8f2d9d691826c</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.descriptor.LifecycleMethodUtils</span></td><td><code>6249a1cbea332afc</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.descriptor.MethodBasedTestDescriptor</span></td><td><code>27c3365cc0c4e908</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.descriptor.MethodExtensionContext</span></td><td><code>0508b2e2c19f7ac3</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.descriptor.TestInstanceLifecycleUtils</span></td><td><code>a247fc379f47df66</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.descriptor.TestMethodTestDescriptor</span></td><td><code>72ce602be7bfa92c</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.discovery.AbstractAnnotatedDescriptorWrapper</span></td><td><code>90b10f2d90d7b01b</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.discovery.AbstractOrderingVisitor</span></td><td><code>f8eb297929c247eb</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.discovery.AbstractOrderingVisitor.DescriptorWrapperOrderer</span></td><td><code>c8e1585f8474ed61</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.discovery.ClassOrderingVisitor</span></td><td><code>1f09fc1c6b9779bb</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.discovery.ClassSelectorResolver</span></td><td><code>47bba3d717485ecb</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.discovery.DefaultClassDescriptor</span></td><td><code>9064f3528773a161</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.discovery.DiscoverySelectorResolver</span></td><td><code>5dc6be896f50996f</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.discovery.MethodFinder</span></td><td><code>621c8591e557439a</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.discovery.MethodOrderingVisitor</span></td><td><code>7d9864cebac818e1</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.discovery.MethodSelectorResolver</span></td><td><code>a425905a414a12d5</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.discovery.MethodSelectorResolver.MethodType</span></td><td><code>f4804d6ffc25a580</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.discovery.MethodSelectorResolver.MethodType.1</span></td><td><code>aeaeeb04a7d2c1a3</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.discovery.MethodSelectorResolver.MethodType.2</span></td><td><code>4f06e6c9eef38fa4</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.discovery.MethodSelectorResolver.MethodType.3</span></td><td><code>e3f41424e245bd2a</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.discovery.predicates.IsInnerClass</span></td><td><code>d746bcff9a71ec26</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.discovery.predicates.IsNestedTestClass</span></td><td><code>f75dfd9ee2347890</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.discovery.predicates.IsPotentialTestContainer</span></td><td><code>909f14a1b9fe84dc</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.discovery.predicates.IsTestClassWithTests</span></td><td><code>34690a186bfcf3ac</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.discovery.predicates.IsTestFactoryMethod</span></td><td><code>941a8af0d47a68fd</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.discovery.predicates.IsTestMethod</span></td><td><code>f2039dbd13fce110</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.discovery.predicates.IsTestTemplateMethod</span></td><td><code>c13a4260435c18a8</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.discovery.predicates.IsTestableMethod</span></td><td><code>4be487dee199f633</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.execution.ConditionEvaluator</span></td><td><code>df91d94b180fe511</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.execution.ConstructorInvocation</span></td><td><code>60b80968f2bdedc3</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.execution.DefaultTestInstances</span></td><td><code>0fc6d90567826bc4</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.execution.ExecutableInvoker</span></td><td><code>d2368ccaaa2037b7</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.execution.ExecutableInvoker.ReflectiveInterceptorCall</span></td><td><code>84813aa1a30927b7</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.execution.ExtensionValuesStore</span></td><td><code>e4054d96e0311350</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.execution.ExtensionValuesStore.CompositeKey</span></td><td><code>66813dae6cf686fe</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.execution.ExtensionValuesStore.MemoizingSupplier</span></td><td><code>df3ce2070a75daaf</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.execution.ExtensionValuesStore.StoredValue</span></td><td><code>57cb9ab75faabc0f</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.execution.InvocationInterceptorChain</span></td><td><code>9798b2a812d2015d</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.execution.InvocationInterceptorChain.InterceptedInvocation</span></td><td><code>199eef1acbe0b316</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.execution.InvocationInterceptorChain.ValidatingInvocation</span></td><td><code>f064b1c2c4a4bf86</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.execution.JupiterEngineExecutionContext</span></td><td><code>b48cc2a96dab0116</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.execution.JupiterEngineExecutionContext.Builder</span></td><td><code>d1557432e23d2776</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.execution.JupiterEngineExecutionContext.State</span></td><td><code>3926323ef1c7fb03</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.execution.MethodInvocation</span></td><td><code>8b8fd00463d994df</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.execution.NamespaceAwareStore</span></td><td><code>c0df02c5fe61ed0f</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.execution.TestInstancesProvider</span></td><td><code>357bca6226069e7b</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.extension.DisabledCondition</span></td><td><code>1604b4e34c1363e4</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.extension.ExtensionRegistry</span></td><td><code>a610f9723b95715c</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.extension.MutableExtensionRegistry</span></td><td><code>4951101173afa58b</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.extension.RepeatedTestExtension</span></td><td><code>32adc631c7f45534</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.extension.TempDirectory</span></td><td><code>55b0b3b7482f7782</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.extension.TestInfoParameterResolver</span></td><td><code>3c520f8376f91ff7</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.extension.TestReporterParameterResolver</span></td><td><code>7187071bfc76c6ac</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.extension.TimeoutConfiguration</span></td><td><code>e255baf2a634c095</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.extension.TimeoutDurationParser</span></td><td><code>bb6a412c3829dae9</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.extension.TimeoutExtension</span></td><td><code>e90faf479207d574</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.support.JupiterThrowableCollectorFactory</span></td><td><code>46546a446de4c9c0</code></td></tr><tr><td><span class="el_class">org.junit.jupiter.engine.support.OpenTest4JAndJUnit4AwareThrowableCollector</span></td><td><code>e9ee7d4e1adecdd1</code></td></tr><tr><td><span class="el_class">org.junit.platform.commons.function.Try</span></td><td><code>5200e6adc191344c</code></td></tr><tr><td><span class="el_class">org.junit.platform.commons.function.Try.Failure</span></td><td><code>5d1cf7b52cd7a7ea</code></td></tr><tr><td><span class="el_class">org.junit.platform.commons.function.Try.Success</span></td><td><code>98cdc5b539e1abfd</code></td></tr><tr><td><span class="el_class">org.junit.platform.commons.logging.LoggerFactory</span></td><td><code>39fdfe1f67bc0eda</code></td></tr><tr><td><span class="el_class">org.junit.platform.commons.logging.LoggerFactory.DelegatingLogger</span></td><td><code>c71dcf008235901c</code></td></tr><tr><td><span class="el_class">org.junit.platform.commons.support.AnnotationSupport</span></td><td><code>183c2f1d296c27a5</code></td></tr><tr><td><span class="el_class">org.junit.platform.commons.support.ReflectionSupport</span></td><td><code>945bcc92fedf115d</code></td></tr><tr><td><span class="el_class">org.junit.platform.commons.util.AnnotationUtils</span></td><td><code>192a2ed89eaed125</code></td></tr><tr><td><span class="el_class">org.junit.platform.commons.util.ClassLoaderUtils</span></td><td><code>bf70ae4f9e1a53b8</code></td></tr><tr><td><span class="el_class">org.junit.platform.commons.util.ClassNamePatternFilterUtils</span></td><td><code>661df78b93e45465</code></td></tr><tr><td><span class="el_class">org.junit.platform.commons.util.ClassUtils</span></td><td><code>60a2276f3701443f</code></td></tr><tr><td><span class="el_class">org.junit.platform.commons.util.ClasspathScanner</span></td><td><code>54e3df9bb2092b52</code></td></tr><tr><td><span class="el_class">org.junit.platform.commons.util.CollectionUtils</span></td><td><code>8a03a781a6a5c2d1</code></td></tr><tr><td><span class="el_class">org.junit.platform.commons.util.Preconditions</span></td><td><code>c8254e72fb8d44dd</code></td></tr><tr><td><span class="el_class">org.junit.platform.commons.util.ReflectionUtils</span></td><td><code>9ac3110b58c001d0</code></td></tr><tr><td><span class="el_class">org.junit.platform.commons.util.ReflectionUtils.HierarchyTraversalMode</span></td><td><code>3125245fc9d900bc</code></td></tr><tr><td><span class="el_class">org.junit.platform.commons.util.StringUtils</span></td><td><code>237c0cb03ac19254</code></td></tr><tr><td><span class="el_class">org.junit.platform.commons.util.UnrecoverableExceptions</span></td><td><code>e906a774e770e7d4</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.CompositeFilter</span></td><td><code>6a52e5b4f7292f48</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.CompositeFilter.1</span></td><td><code>cc0aadc5880fb4e4</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.EngineDiscoveryListener</span></td><td><code>f7640d771a4374d6</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.EngineDiscoveryListener.1</span></td><td><code>a4cdbe8dd38d8f57</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.EngineExecutionListener</span></td><td><code>693fee5cbd4c2df0</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.EngineExecutionListener.1</span></td><td><code>999902b68f81dd9a</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.ExecutionRequest</span></td><td><code>f80b4e071e194cb8</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.Filter</span></td><td><code>5ffaaa90df97ca04</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.FilterResult</span></td><td><code>a787a89e1f12d534</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.SelectorResolutionResult</span></td><td><code>b0cf35dcc829d3f4</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.SelectorResolutionResult.Status</span></td><td><code>c505c2274f89f01d</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.TestDescriptor</span></td><td><code>aeaac58c9e7df241</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.TestDescriptor.Type</span></td><td><code>20fe3e02963cb4b9</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.TestExecutionResult</span></td><td><code>6b1b512d17bb680e</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.TestExecutionResult.Status</span></td><td><code>ad256e9fb4407e04</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.UniqueId</span></td><td><code>c1bb227cff03c812</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.UniqueId.Segment</span></td><td><code>a9fe30ce7bbf397b</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.UniqueIdFormat</span></td><td><code>3094a6218f16e114</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.discovery.ClassSelector</span></td><td><code>a1cacad45a144508</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.discovery.DiscoverySelectors</span></td><td><code>d9d42aa13a2aea27</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.discovery.MethodSelector</span></td><td><code>69292f007e74298d</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.descriptor.AbstractTestDescriptor</span></td><td><code>b9c965daf4d9a476</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.descriptor.ClassSource</span></td><td><code>37bd92069360f773</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.descriptor.EngineDescriptor</span></td><td><code>8f2f77769ee0e9c9</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.descriptor.MethodSource</span></td><td><code>1d55ac49f5cabc20</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.discovery.ClassContainerSelectorResolver</span></td><td><code>dc6114dc7e983729</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.discovery.EngineDiscoveryRequestResolution</span></td><td><code>ea497a81a10c339c</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.discovery.EngineDiscoveryRequestResolution.DefaultContext</span></td><td><code>b39f8895aeb78b1e</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.discovery.EngineDiscoveryRequestResolver</span></td><td><code>687cbe6b3b72b453</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.discovery.EngineDiscoveryRequestResolver.Builder</span></td><td><code>21b59a849a1e0107</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.discovery.EngineDiscoveryRequestResolver.DefaultInitializationContext</span></td><td><code>1904819635770d62</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.discovery.SelectorResolver</span></td><td><code>8853a3b7d6531935</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.discovery.SelectorResolver.Match</span></td><td><code>922481c433789199</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.discovery.SelectorResolver.Match.Type</span></td><td><code>a62615901052f237</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.discovery.SelectorResolver.Resolution</span></td><td><code>c90571b7b64f19a0</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.hierarchical.ExclusiveResource</span></td><td><code>efa2e06c87a351c3</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.hierarchical.ExclusiveResource.LockMode</span></td><td><code>96e95d210b150f97</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.hierarchical.HierarchicalTestEngine</span></td><td><code>5c686da27ab7f7b0</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.hierarchical.HierarchicalTestExecutor</span></td><td><code>963cba9b029b4b19</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.hierarchical.LockManager</span></td><td><code>5aedd3bd3957b5a6</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.hierarchical.Node</span></td><td><code>d5630bd7243c23ff</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.hierarchical.Node.SkipResult</span></td><td><code>5aca1404ff0f9294</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.hierarchical.NodeExecutionAdvisor</span></td><td><code>7c2670c7a35cfba6</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.hierarchical.NodeTestTask</span></td><td><code>f652d8cc5e11bdc5</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.hierarchical.NodeTestTask.DefaultDynamicTestExecutor</span></td><td><code>abd00dd511d28b2f</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.hierarchical.NodeTestTaskContext</span></td><td><code>bdf88cd3834282a5</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.hierarchical.NodeTreeWalker</span></td><td><code>c689092b060d0b12</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.hierarchical.NodeUtils</span></td><td><code>a7ec8f66d373c169</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.hierarchical.NodeUtils.1</span></td><td><code>5a44a7e2cbf864b4</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.hierarchical.SameThreadHierarchicalTestExecutorService</span></td><td><code>4021fb0b954634b6</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.hierarchical.SingleLock</span></td><td><code>2036ec8b92a38105</code></td></tr><tr><td><span class="el_class">org.junit.platform.engine.support.hierarchical.ThrowableCollector</span></td><td><code>6fd7a27676be3c50</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.EngineDiscoveryResult</span></td><td><code>9f305fb9cafa070a</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.EngineDiscoveryResult.Status</span></td><td><code>c6f73a818e869b3a</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.LauncherDiscoveryListener</span></td><td><code>4c7a9b5f0af6369d</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.LauncherDiscoveryListener.1</span></td><td><code>d946f222ae757dc1</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.LauncherSessionListener</span></td><td><code>e0db832b050d072e</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.LauncherSessionListener.1</span></td><td><code>44b3640faa83f474</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.TestExecutionListener</span></td><td><code>d5f44a91fb9bf46c</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.TestIdentifier</span></td><td><code>2b393a1d76332bc4</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.TestPlan</span></td><td><code>1c1994f8265f5a45</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.CompositeTestExecutionListener</span></td><td><code>2fec5f997b539877</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.DefaultDiscoveryRequest</span></td><td><code>5706e3938a47edbc</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.DefaultLauncher</span></td><td><code>75b262c721c1b524</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.DefaultLauncherConfig</span></td><td><code>6fbfe73d83f861ce</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.DefaultLauncherSession</span></td><td><code>c8ae22f36a4f9c66</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.DefaultLauncherSession.ClosedLauncher</span></td><td><code>33b03a5d32880c72</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.DefaultLauncherSession.DelegatingLauncher</span></td><td><code>62a46fcfba060cd0</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.DelegatingEngineExecutionListener</span></td><td><code>98129d4f91790da1</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.EngineDiscoveryOrchestrator</span></td><td><code>e664ca6c3b9b649f</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.EngineDiscoveryOrchestrator.Phase</span></td><td><code>268c73a2f40672ad</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.EngineDiscoveryResultValidator</span></td><td><code>ae8e824d499c28c0</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.EngineExecutionOrchestrator</span></td><td><code>ef50d34e593c6435</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.EngineIdValidator</span></td><td><code>6ec884e3f1252b64</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.ExecutionListenerAdapter</span></td><td><code>b7c31393576744dc</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.InternalTestPlan</span></td><td><code>69b2dd891a2eff73</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.LauncherConfig</span></td><td><code>33646d7c20caa86c</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.LauncherConfig.Builder</span></td><td><code>1a313fdb0cf517bd</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.LauncherConfigurationParameters</span></td><td><code>3c045d9855c3582c</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.LauncherConfigurationParameters.Builder</span></td><td><code>d4314d11c6458cba</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.LauncherConfigurationParameters.ParameterProvider</span></td><td><code>dbf430fc5972aefc</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.LauncherConfigurationParameters.ParameterProvider.2</span></td><td><code>fa4e3fee03856df9</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.LauncherConfigurationParameters.ParameterProvider.3</span></td><td><code>90f56b20ab147687</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.LauncherDiscoveryRequestBuilder</span></td><td><code>4ca4682632d3f50a</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.LauncherDiscoveryResult</span></td><td><code>d1da1616bd553127</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.LauncherFactory</span></td><td><code>8e309d53ca525395</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.ListenerRegistry</span></td><td><code>4950f6c47b32949e</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.OutcomeDelayingEngineExecutionListener</span></td><td><code>4c68ad66a29b4dd7</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.OutcomeDelayingEngineExecutionListener.Outcome</span></td><td><code>b6ca0889820c3cca</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.ServiceLoaderRegistry</span></td><td><code>b9cb7c73b65895b8</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.ServiceLoaderTestEngineRegistry</span></td><td><code>f98f04d3db2fcfbb</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.SessionPerRequestLauncher</span></td><td><code>176a2050399cce8f</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.core.StreamInterceptingTestExecutionListener</span></td><td><code>36972afd5e542435</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.listeners.UniqueIdTrackingListener</span></td><td><code>267976e1a69ba0ae</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.listeners.discovery.AbortOnFailureLauncherDiscoveryListener</span></td><td><code>ee6720edc40a9ccf</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.listeners.discovery.LauncherDiscoveryListeners</span></td><td><code>d311082436d55ae9</code></td></tr><tr><td><span class="el_class">org.junit.platform.launcher.listeners.session.LauncherSessionListeners</span></td><td><code>792ecbf10e49d607</code></td></tr></tbody></table><div class="footer"><span class="right">Created with <a href="http://www.jacoco.org/jacoco">JaCoCo</a> 0.8.8.202204050719</span></div></body></html>
    \ No newline at end of file
    diff --git a/WS24_25/SWTD/buch/target/site/jacoco/jacoco.csv b/WS24_25/SWTD/buch/target/site/jacoco/jacoco.csv
    new file mode 100644
    index 0000000..612bce5
    --- /dev/null
    +++ b/WS24_25/SWTD/buch/target/site/jacoco/jacoco.csv
    @@ -0,0 +1,27 @@
    +GROUP,PACKAGE,CLASS,INSTRUCTION_MISSED,INSTRUCTION_COVERED,BRANCH_MISSED,BRANCH_COVERED,LINE_MISSED,LINE_COVERED,COMPLEXITY_MISSED,COMPLEXITY_COVERED,METHOD_MISSED,METHOD_COVERED
    +buch,com.buch.datenhaltung,DatenException,4,0,0,0,2,0,1,0,1,0
    +buch,com.buch.datenhaltung,BuchSerializeDAO,72,0,2,0,27,0,4,0,3,0
    +buch,com.buch.datenhaltung,BuchDBDAO,132,0,4,0,47,0,6,0,4,0
    +buch,com.buch,Main,6,0,0,0,3,0,2,0,2,0
    +buch,com.buch.gui,BuchErfassungView.new ActionListener() {...},14,0,0,0,4,0,2,0,2,0
    +buch,com.buch.gui,Controller.ErfassungStrategie,17,0,0,0,3,0,2,0,2,0
    +buch,com.buch.gui,BuchListeView.new ActionListener() {...},30,0,2,0,7,0,3,0,2,0
    +buch,com.buch.gui,BuchErfassungView.new ActionListener() {...},20,0,0,0,5,0,2,0,2,0
    +buch,com.buch.gui,BuchListeView.new ItemListener() {...},14,0,0,0,3,0,2,0,2,0
    +buch,com.buch.gui,Controller.ErfassungNeuStrategie,13,0,0,0,3,0,2,0,2,0
    +buch,com.buch.gui,BuchListeView.new ActionListener() {...},22,0,2,0,5,0,3,0,2,0
    +buch,com.buch.gui,BuchListeView.new ActionListener() {...},10,0,0,0,3,0,2,0,2,0
    +buch,com.buch.gui,Controller.ErfassungAendernStrategie,8,0,0,0,2,0,2,0,2,0
    +buch,com.buch.gui,InfoView,57,0,0,0,14,0,1,0,1,0
    +buch,com.buch.gui,Controller,124,0,0,0,35,0,10,0,10,0
    +buch,com.buch.gui,BuchHauptprogrammView.new ActionListener() {...},11,0,0,0,3,0,2,0,2,0
    +buch,com.buch.gui,BuchHauptprogrammView.new ActionListener() {...},11,0,0,0,3,0,2,0,2,0
    +buch,com.buch.gui,BuchHauptprogrammView.new ActionListener() {...},11,0,0,0,3,0,2,0,2,0
    +buch,com.buch.gui,BuchHauptprogrammView.new ActionListener() {...},11,0,0,0,3,0,2,0,2,0
    +buch,com.buch.gui,BuchHauptprogrammView.new ActionListener() {...},11,0,0,0,3,0,2,0,2,0
    +buch,com.buch.gui,BuchListeView,135,0,4,0,31,0,5,0,3,0
    +buch,com.buch.gui,BuchHauptprogrammView,128,0,0,0,28,0,3,0,3,0
    +buch,com.buch.gui,BuchErfassungView,205,0,2,0,49,0,7,0,6,0
    +buch,com.buch.gui,InfoView.new ActionListener() {...},14,0,0,0,4,0,2,0,2,0
    +buch,com.buch.fachlogik,Buch,58,0,2,0,21,0,9,0,8,0
    +buch,com.buch.fachlogik,BuecherVerwaltung,38,0,0,0,12,0,6,0,6,0
    diff --git a/WS24_25/SWTD/buch/target/site/jacoco/jacoco.xml b/WS24_25/SWTD/buch/target/site/jacoco/jacoco.xml
    new file mode 100644
    index 0000000..165d527
    --- /dev/null
    +++ b/WS24_25/SWTD/buch/target/site/jacoco/jacoco.xml
    @@ -0,0 +1 @@
    +<?xml version="1.0" encoding="UTF-8" standalone="yes"?><!DOCTYPE report PUBLIC "-//JACOCO//DTD Report 1.1//EN" "report.dtd"><report name="buch"><sessioninfo id="lachstop-115de4c6" start="1736200889261" dump="1736200889708"/><package name="com/buch/datenhaltung"><class name="com/buch/datenhaltung/DatenException" sourcefilename="DatenException.java"><method name="&lt;init&gt;" desc="(Ljava/lang/String;)V" line="8"><counter type="INSTRUCTION" missed="4" covered="0"/><counter type="LINE" missed="2" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="4" covered="0"/><counter type="LINE" missed="2" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><class name="com/buch/datenhaltung/IBuchDAO" sourcefilename="IBuchDAO.java"/><class name="com/buch/datenhaltung/BuchSerializeDAO" sourcefilename="BuchSerializeDAO.java"><method name="&lt;init&gt;" desc="(Ljava/io/File;)V" line="17"><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="laden" desc="()Ljava/util/List;" line="23"><counter type="INSTRUCTION" missed="39" covered="0"/><counter type="BRANCH" missed="2" covered="0"/><counter type="LINE" missed="14" covered="0"/><counter type="COMPLEXITY" missed="2" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="speichern" desc="(Ljava/util/List;)V" line="45"><counter type="INSTRUCTION" missed="27" covered="0"/><counter type="LINE" missed="10" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="72" covered="0"/><counter type="BRANCH" missed="2" covered="0"/><counter type="LINE" missed="27" covered="0"/><counter type="COMPLEXITY" missed="4" covered="0"/><counter type="METHOD" missed="3" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><class name="com/buch/datenhaltung/BuchDBDAO" sourcefilename="BuchDBDAO.java"><method name="&lt;init&gt;" desc="(Ljava/lang/String;)V" line="21"><counter type="INSTRUCTION" missed="13" covered="0"/><counter type="LINE" missed="7" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="open" desc="()V" line="32"><counter type="INSTRUCTION" missed="16" covered="0"/><counter type="LINE" missed="6" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="laden" desc="()Ljava/util/List;" line="41"><counter type="INSTRUCTION" missed="59" covered="0"/><counter type="BRANCH" missed="2" covered="0"/><counter type="LINE" missed="19" covered="0"/><counter type="COMPLEXITY" missed="2" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="speichern" desc="(Ljava/util/List;)V" line="68"><counter type="INSTRUCTION" missed="44" covered="0"/><counter type="BRANCH" missed="2" covered="0"/><counter type="LINE" missed="15" covered="0"/><counter type="COMPLEXITY" missed="2" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="132" covered="0"/><counter type="BRANCH" missed="4" covered="0"/><counter type="LINE" missed="47" covered="0"/><counter type="COMPLEXITY" missed="6" covered="0"/><counter type="METHOD" missed="4" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><sourcefile name="DatenException.java"><line nr="8" mi="3" ci="0" mb="0" cb="0"/><line nr="9" mi="1" ci="0" mb="0" cb="0"/><counter type="INSTRUCTION" missed="4" covered="0"/><counter type="LINE" missed="2" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/><counter type="CLASS" missed="1" covered="0"/></sourcefile><sourcefile name="BuchSerializeDAO.java"><line nr="17" mi="2" ci="0" mb="0" cb="0"/><line nr="18" mi="3" ci="0" mb="0" cb="0"/><line nr="19" mi="1" ci="0" mb="0" cb="0"/><line nr="23" mi="2" ci="0" mb="0" cb="0"/><line nr="24" mi="2" ci="0" mb="0" cb="0"/><line nr="26" mi="6" ci="0" mb="0" cb="0"/><line nr="27" mi="5" ci="0" mb="0" cb="0"/><line nr="28" mi="4" ci="0" mb="0" cb="0"/><line nr="29" mi="1" ci="0" mb="0" cb="0"/><line nr="30" mi="2" ci="0" mb="0" cb="0"/><line nr="31" mi="5" ci="0" mb="0" cb="0"/><line nr="34" mi="2" ci="0" mb="0" cb="0"/><line nr="35" mi="1" ci="0" mb="0" cb="0"/><line nr="36" mi="1" ci="0" mb="0" cb="0"/><line nr="38" mi="2" ci="0" mb="2" cb="0"/><line nr="39" mi="4" ci="0" mb="0" cb="0"/><line nr="41" mi="2" ci="0" mb="0" cb="0"/><line nr="45" mi="2" ci="0" mb="0" cb="0"/><line nr="48" mi="6" ci="0" mb="0" cb="0"/><line nr="49" mi="5" ci="0" mb="0" cb="0"/><line nr="50" mi="3" ci="0" mb="0" cb="0"/><line nr="51" mi="1" ci="0" mb="0" cb="0"/><line nr="52" mi="5" ci="0" mb="0" cb="0"/><line nr="55" mi="2" ci="0" mb="0" cb="0"/><line nr="56" mi="1" ci="0" mb="0" cb="0"/><line nr="58" mi="1" ci="0" mb="0" cb="0"/><line nr="60" mi="1" ci="0" mb="0" cb="0"/><counter type="INSTRUCTION" missed="72" covered="0"/><counter type="BRANCH" missed="2" covered="0"/><counter type="LINE" missed="27" covered="0"/><counter type="COMPLEXITY" missed="4" covered="0"/><counter type="METHOD" missed="3" covered="0"/><counter type="CLASS" missed="1" covered="0"/></sourcefile><sourcefile name="BuchDBDAO.java"><line nr="21" mi="2" ci="0" mb="0" cb="0"/><line nr="22" mi="3" ci="0" mb="0" cb="0"/><line nr="24" mi="3" ci="0" mb="0" cb="0"/><line nr="25" mi="1" ci="0" mb="0" cb="0"/><line nr="26" mi="2" ci="0" mb="0" cb="0"/><line nr="27" mi="1" ci="0" mb="0" cb="0"/><line nr="28" mi="1" ci="0" mb="0" cb="0"/><line nr="32" mi="6" ci="0" mb="0" cb="0"/><line nr="33" mi="1" ci="0" mb="0" cb="0"/><line nr="34" mi="2" ci="0" mb="0" cb="0"/><line nr="35" mi="5" ci="0" mb="0" cb="0"/><line nr="36" mi="1" ci="0" mb="0" cb="0"/><line nr="37" mi="1" ci="0" mb="0" cb="0"/><line nr="41" mi="2" ci="0" mb="0" cb="0"/><line nr="42" mi="4" ci="0" mb="0" cb="0"/><line nr="43" mi="2" ci="0" mb="0" cb="0"/><line nr="45" mi="4" ci="0" mb="0" cb="0"/><line nr="46" mi="4" ci="0" mb="0" cb="0"/><line nr="47" mi="3" ci="0" mb="2" cb="0"/><line nr="48" mi="4" ci="0" mb="0" cb="0"/><line nr="49" mi="5" ci="0" mb="0" cb="0"/><line nr="50" mi="4" ci="0" mb="0" cb="0"/><line nr="51" mi="7" ci="0" mb="0" cb="0"/><line nr="52" mi="4" ci="0" mb="0" cb="0"/><line nr="53" mi="1" ci="0" mb="0" cb="0"/><line nr="54" mi="1" ci="0" mb="0" cb="0"/><line nr="55" mi="5" ci="0" mb="0" cb="0"/><line nr="58" mi="2" ci="0" mb="0" cb="0"/><line nr="59" mi="3" ci="0" mb="0" cb="0"/><line nr="60" mi="1" ci="0" mb="0" cb="0"/><line nr="61" mi="1" ci="0" mb="0" cb="0"/><line nr="63" mi="2" ci="0" mb="0" cb="0"/><line nr="68" mi="2" ci="0" mb="0" cb="0"/><line nr="69" mi="2" ci="0" mb="0" cb="0"/><line nr="71" mi="4" ci="0" mb="0" cb="0"/><line nr="72" mi="4" ci="0" mb="0" cb="0"/><line nr="73" mi="10" ci="0" mb="2" cb="0"/><line nr="74" mi="6" ci="0" mb="0" cb="0"/><line nr="75" mi="4" ci="0" mb="0" cb="0"/><line nr="76" mi="1" ci="0" mb="0" cb="0"/><line nr="77" mi="1" ci="0" mb="0" cb="0"/><line nr="78" mi="2" ci="0" mb="0" cb="0"/><line nr="81" mi="2" ci="0" mb="0" cb="0"/><line nr="82" mi="3" ci="0" mb="0" cb="0"/><line nr="83" mi="1" ci="0" mb="0" cb="0"/><line nr="84" mi="1" ci="0" mb="0" cb="0"/><line nr="88" mi="1" ci="0" mb="0" cb="0"/><counter type="INSTRUCTION" missed="132" covered="0"/><counter type="BRANCH" missed="4" covered="0"/><counter type="LINE" missed="47" covered="0"/><counter type="COMPLEXITY" missed="6" covered="0"/><counter type="METHOD" missed="4" covered="0"/><counter type="CLASS" missed="1" covered="0"/></sourcefile><sourcefile name="IBuchDAO.java"/><counter type="INSTRUCTION" missed="208" covered="0"/><counter type="BRANCH" missed="6" covered="0"/><counter type="LINE" missed="76" covered="0"/><counter type="COMPLEXITY" missed="11" covered="0"/><counter type="METHOD" missed="8" covered="0"/><counter type="CLASS" missed="3" covered="0"/></package><package name="com/buch"><class name="com/buch/Main" sourcefilename="Main.java"><method name="&lt;init&gt;" desc="()V" line="4"><counter type="INSTRUCTION" missed="3" covered="0"/><counter type="LINE" missed="1" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="main" desc="([Ljava/lang/String;)V" line="6"><counter type="INSTRUCTION" missed="3" covered="0"/><counter type="LINE" missed="2" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="2" covered="0"/><counter type="METHOD" missed="2" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><sourcefile name="Main.java"><line nr="4" mi="3" ci="0" mb="0" cb="0"/><line nr="6" mi="2" ci="0" mb="0" cb="0"/><line nr="7" mi="1" ci="0" mb="0" cb="0"/><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="2" covered="0"/><counter type="METHOD" missed="2" covered="0"/><counter type="CLASS" missed="1" covered="0"/></sourcefile><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="2" covered="0"/><counter type="METHOD" missed="2" covered="0"/><counter type="CLASS" missed="1" covered="0"/></package><package name="com/buch/gui"><class name="com/buch/gui/BuchErfassungView$2" sourcefilename="BuchErfassungView.java"><method name="&lt;init&gt;" desc="(Lcom/buch/gui/BuchErfassungView;)V" line="65"><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="1" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="actionPerformed" desc="(Ljava/awt/event/ActionEvent;)V" line="68"><counter type="INSTRUCTION" missed="8" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="14" covered="0"/><counter type="LINE" missed="4" covered="0"/><counter type="COMPLEXITY" missed="2" covered="0"/><counter type="METHOD" missed="2" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><class name="com/buch/gui/Controller$ErfassungStrategie" sourcefilename="Controller.java"><method name="&lt;init&gt;" desc="(Lcom/buch/gui/Controller;)V" line="20"><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="1" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="erfassen" desc="(Lcom/buch/fachlogik/Buch;)V" line="22"><counter type="INSTRUCTION" missed="11" covered="0"/><counter type="LINE" missed="2" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="17" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="2" covered="0"/><counter type="METHOD" missed="2" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><class name="com/buch/gui/BuchListeView$3" sourcefilename="BuchListeView.java"><method name="&lt;init&gt;" desc="(Lcom/buch/gui/BuchListeView;)V" line="56"><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="1" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="actionPerformed" desc="(Ljava/awt/event/ActionEvent;)V" line="58"><counter type="INSTRUCTION" missed="24" covered="0"/><counter type="BRANCH" missed="2" covered="0"/><counter type="LINE" missed="6" covered="0"/><counter type="COMPLEXITY" missed="2" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="30" covered="0"/><counter type="BRANCH" missed="2" covered="0"/><counter type="LINE" missed="7" covered="0"/><counter type="COMPLEXITY" missed="3" covered="0"/><counter type="METHOD" missed="2" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><class name="com/buch/gui/BuchErfassungView$1" sourcefilename="BuchErfassungView.java"><method name="&lt;init&gt;" desc="(Lcom/buch/gui/BuchErfassungView;)V" line="55"><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="1" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="actionPerformed" desc="(Ljava/awt/event/ActionEvent;)V" line="57"><counter type="INSTRUCTION" missed="14" covered="0"/><counter type="LINE" missed="4" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="20" covered="0"/><counter type="LINE" missed="5" covered="0"/><counter type="COMPLEXITY" missed="2" covered="0"/><counter type="METHOD" missed="2" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><class name="com/buch/gui/BuchListeView$4" sourcefilename="BuchListeView.java"><method name="&lt;init&gt;" desc="(Lcom/buch/gui/BuchListeView;)V" line="67"><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="1" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="itemStateChanged" desc="(Ljava/awt/event/ItemEvent;)V" line="69"><counter type="INSTRUCTION" missed="8" covered="0"/><counter type="LINE" missed="2" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="14" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="2" covered="0"/><counter type="METHOD" missed="2" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><class name="com/buch/gui/Controller$ErfassungNeuStrategie" sourcefilename="Controller.java"><method name="&lt;init&gt;" desc="(Lcom/buch/gui/Controller;)V" line="28"><counter type="INSTRUCTION" missed="7" covered="0"/><counter type="LINE" missed="1" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="erfassenPerformed" desc="(Lcom/buch/fachlogik/Buch;)V" line="31"><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="2" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="13" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="2" covered="0"/><counter type="METHOD" missed="2" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><class name="com/buch/gui/BuchListeView$1" sourcefilename="BuchListeView.java"><method name="&lt;init&gt;" desc="(Lcom/buch/gui/BuchListeView;)V" line="37"><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="1" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="actionPerformed" desc="(Ljava/awt/event/ActionEvent;)V" line="39"><counter type="INSTRUCTION" missed="16" covered="0"/><counter type="BRANCH" missed="2" covered="0"/><counter type="LINE" missed="4" covered="0"/><counter type="COMPLEXITY" missed="2" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="22" covered="0"/><counter type="BRANCH" missed="2" covered="0"/><counter type="LINE" missed="5" covered="0"/><counter type="COMPLEXITY" missed="3" covered="0"/><counter type="METHOD" missed="2" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><class name="com/buch/gui/BuchListeView$2" sourcefilename="BuchListeView.java"><method name="&lt;init&gt;" desc="(Lcom/buch/gui/BuchListeView;)V" line="47"><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="1" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="actionPerformed" desc="(Ljava/awt/event/ActionEvent;)V" line="49"><counter type="INSTRUCTION" missed="4" covered="0"/><counter type="LINE" missed="2" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="10" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="2" covered="0"/><counter type="METHOD" missed="2" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><class name="com/buch/gui/Controller$ErfassungAendernStrategie" sourcefilename="Controller.java"><method name="&lt;init&gt;" desc="(Lcom/buch/gui/Controller;)V" line="35"><counter type="INSTRUCTION" missed="7" covered="0"/><counter type="LINE" missed="1" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="erfassenPerformed" desc="(Lcom/buch/fachlogik/Buch;)V" line="39"><counter type="INSTRUCTION" missed="1" covered="0"/><counter type="LINE" missed="1" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="8" covered="0"/><counter type="LINE" missed="2" covered="0"/><counter type="COMPLEXITY" missed="2" covered="0"/><counter type="METHOD" missed="2" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><class name="com/buch/gui/InfoView" sourcefilename="InfoView.java"><method name="&lt;init&gt;" desc="(Ljava/awt/Frame;Ljava/lang/String;)V" line="16"><counter type="INSTRUCTION" missed="57" covered="0"/><counter type="LINE" missed="14" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="57" covered="0"/><counter type="LINE" missed="14" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><class name="com/buch/gui/Controller" sourcefilename="Controller.java"><method name="&lt;init&gt;" desc="(Lcom/buch/fachlogik/BuecherVerwaltung;)V" line="12"><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="start" desc="()V" line="17"><counter type="INSTRUCTION" missed="7" covered="0"/><counter type="LINE" missed="2" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="neu" desc="()V" line="43"><counter type="INSTRUCTION" missed="13" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="aendern" desc="(I)V" line="48"><counter type="INSTRUCTION" missed="14" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="erfassenPerformed" desc="(Lcom/buch/fachlogik/Buch;)V" line="53"><counter type="INSTRUCTION" missed="5" covered="0"/><counter type="LINE" missed="2" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="erfassenFehler" desc="(Lcom/buch/fachlogik/Buch;)V" line="57"><counter type="INSTRUCTION" missed="12" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="laden" desc="()V" line="63"><counter type="INSTRUCTION" missed="20" covered="0"/><counter type="LINE" missed="6" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="liste" desc="()V" line="71"><counter type="INSTRUCTION" missed="17" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="speichern" desc="()V" line="78"><counter type="INSTRUCTION" missed="20" covered="0"/><counter type="LINE" missed="6" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="fertig" desc="()V" line="86"><counter type="INSTRUCTION" missed="10" covered="0"/><counter type="LINE" missed="4" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="124" covered="0"/><counter type="LINE" missed="35" covered="0"/><counter type="COMPLEXITY" missed="10" covered="0"/><counter type="METHOD" missed="10" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><class name="com/buch/gui/BuchHauptprogrammView$5" sourcefilename="BuchHauptprogrammView.java"><method name="&lt;init&gt;" desc="(Lcom/buch/gui/BuchHauptprogrammView;)V" line="55"><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="1" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="actionPerformed" desc="(Ljava/awt/event/ActionEvent;)V" line="57"><counter type="INSTRUCTION" missed="5" covered="0"/><counter type="LINE" missed="2" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="11" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="2" covered="0"/><counter type="METHOD" missed="2" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><class name="com/buch/gui/BuchHauptprogrammView$3" sourcefilename="BuchHauptprogrammView.java"><method name="&lt;init&gt;" desc="(Lcom/buch/gui/BuchHauptprogrammView;)V" line="42"><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="1" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="actionPerformed" desc="(Ljava/awt/event/ActionEvent;)V" line="44"><counter type="INSTRUCTION" missed="5" covered="0"/><counter type="LINE" missed="2" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="11" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="2" covered="0"/><counter type="METHOD" missed="2" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><class name="com/buch/gui/BuchHauptprogrammView$4" sourcefilename="BuchHauptprogrammView.java"><method name="&lt;init&gt;" desc="(Lcom/buch/gui/BuchHauptprogrammView;)V" line="48"><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="1" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="actionPerformed" desc="(Ljava/awt/event/ActionEvent;)V" line="50"><counter type="INSTRUCTION" missed="5" covered="0"/><counter type="LINE" missed="2" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="11" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="2" covered="0"/><counter type="METHOD" missed="2" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><class name="com/buch/gui/BuchHauptprogrammView$1" sourcefilename="BuchHauptprogrammView.java"><method name="&lt;init&gt;" desc="(Lcom/buch/gui/BuchHauptprogrammView;)V" line="29"><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="1" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="actionPerformed" desc="(Ljava/awt/event/ActionEvent;)V" line="31"><counter type="INSTRUCTION" missed="5" covered="0"/><counter type="LINE" missed="2" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="11" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="2" covered="0"/><counter type="METHOD" missed="2" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><class name="com/buch/gui/BuchHauptprogrammView$2" sourcefilename="BuchHauptprogrammView.java"><method name="&lt;init&gt;" desc="(Lcom/buch/gui/BuchHauptprogrammView;)V" line="35"><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="1" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="actionPerformed" desc="(Ljava/awt/event/ActionEvent;)V" line="37"><counter type="INSTRUCTION" missed="5" covered="0"/><counter type="LINE" missed="2" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="11" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="2" covered="0"/><counter type="METHOD" missed="2" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><class name="com/buch/gui/BuchListeView" sourcefilename="BuchListeView.java"><method name="&lt;init&gt;" desc="(Ljava/awt/Frame;Lcom/buch/gui/Controller;Ljava/util/List;)V" line="21"><counter type="INSTRUCTION" missed="31" covered="0"/><counter type="LINE" missed="9" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="createListenPanel" desc="()Ljava/awt/Panel;" line="32"><counter type="INSTRUCTION" missed="98" covered="0"/><counter type="BRANCH" missed="4" covered="0"/><counter type="LINE" missed="19" covered="0"/><counter type="COMPLEXITY" missed="3" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="close" desc="()V" line="84"><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="135" covered="0"/><counter type="BRANCH" missed="4" covered="0"/><counter type="LINE" missed="31" covered="0"/><counter type="COMPLEXITY" missed="5" covered="0"/><counter type="METHOD" missed="3" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><class name="com/buch/gui/BuchHauptprogrammView" sourcefilename="BuchHauptprogrammView.java"><method name="&lt;init&gt;" desc="(Lcom/buch/gui/Controller;)V" line="18"><counter type="INSTRUCTION" missed="23" covered="0"/><counter type="LINE" missed="7" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="createButtonPanel" desc="()Ljava/awt/Panel;" line="27"><counter type="INSTRUCTION" missed="86" covered="0"/><counter type="LINE" missed="17" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="main" desc="([Ljava/lang/String;)V" line="69"><counter type="INSTRUCTION" missed="19" covered="0"/><counter type="LINE" missed="4" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="128" covered="0"/><counter type="LINE" missed="28" covered="0"/><counter type="COMPLEXITY" missed="3" covered="0"/><counter type="METHOD" missed="3" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><class name="com/buch/gui/BuchErfassungView" sourcefilename="BuchErfassungView.java"><method name="&lt;init&gt;" desc="(Ljava/awt/Frame;Lcom/buch/gui/Controller;Lcom/buch/fachlogik/Buch;)V" line="17"><counter type="INSTRUCTION" missed="44" covered="0"/><counter type="LINE" missed="11" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="createPanel" desc="()Ljava/awt/Panel;" line="30"><counter type="INSTRUCTION" missed="78" covered="0"/><counter type="BRANCH" missed="2" covered="0"/><counter type="LINE" missed="15" covered="0"/><counter type="COMPLEXITY" missed="2" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="createButtonPanel" desc="()Ljava/awt/Panel;" line="53"><counter type="INSTRUCTION" missed="36" covered="0"/><counter type="LINE" missed="8" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="update" desc="()V" line="77"><counter type="INSTRUCTION" missed="14" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="save" desc="()V" line="83"><counter type="INSTRUCTION" missed="27" covered="0"/><counter type="LINE" missed="9" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="close" desc="()V" line="94"><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="205" covered="0"/><counter type="BRANCH" missed="2" covered="0"/><counter type="LINE" missed="49" covered="0"/><counter type="COMPLEXITY" missed="7" covered="0"/><counter type="METHOD" missed="6" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><class name="com/buch/gui/InfoView$1" sourcefilename="InfoView.java"><method name="&lt;init&gt;" desc="(Lcom/buch/gui/InfoView;)V" line="24"><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="1" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="actionPerformed" desc="(Ljava/awt/event/ActionEvent;)V" line="27"><counter type="INSTRUCTION" missed="8" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="14" covered="0"/><counter type="LINE" missed="4" covered="0"/><counter type="COMPLEXITY" missed="2" covered="0"/><counter type="METHOD" missed="2" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><sourcefile name="BuchErfassungView.java"><line nr="17" mi="5" ci="0" mb="0" cb="0"/><line nr="18" mi="3" ci="0" mb="0" cb="0"/><line nr="19" mi="3" ci="0" mb="0" cb="0"/><line nr="20" mi="4" ci="0" mb="0" cb="0"/><line nr="21" mi="4" ci="0" mb="0" cb="0"/><line nr="22" mi="7" ci="0" mb="0" cb="0"/><line nr="23" mi="5" ci="0" mb="0" cb="0"/><line nr="24" mi="4" ci="0" mb="0" cb="0"/><line nr="25" mi="5" ci="0" mb="0" cb="0"/><line nr="26" mi="3" ci="0" mb="0" cb="0"/><line nr="27" mi="1" ci="0" mb="0" cb="0"/><line nr="30" mi="4" ci="0" mb="0" cb="0"/><line nr="31" mi="7" ci="0" mb="0" cb="0"/><line nr="33" mi="8" ci="0" mb="0" cb="0"/><line nr="34" mi="7" ci="0" mb="0" cb="0"/><line nr="35" mi="6" ci="0" mb="0" cb="0"/><line nr="36" mi="5" ci="0" mb="0" cb="0"/><line nr="38" mi="8" ci="0" mb="0" cb="0"/><line nr="39" mi="6" ci="0" mb="0" cb="0"/><line nr="40" mi="7" ci="0" mb="0" cb="0"/><line nr="41" mi="5" ci="0" mb="0" cb="0"/><line nr="43" mi="3" ci="0" mb="2" cb="0"/><line nr="44" mi="2" ci="0" mb="0" cb="0"/><line nr="47" mi="4" ci="0" mb="0" cb="0"/><line nr="48" mi="4" ci="0" mb="0" cb="0"/><line nr="49" mi="2" ci="0" mb="0" cb="0"/><line nr="53" mi="4" ci="0" mb="0" cb="0"/><line nr="54" mi="5" ci="0" mb="0" cb="0"/><line nr="55" mi="12" ci="0" mb="0" cb="0"/><line nr="57" mi="3" ci="0" mb="0" cb="0"/><line nr="58" mi="3" ci="0" mb="0" cb="0"/><line nr="59" mi="7" ci="0" mb="0" cb="0"/><line nr="60" mi="1" ci="0" mb="0" cb="0"/><line nr="62" mi="4" ci="0" mb="0" cb="0"/><line nr="64" mi="5" ci="0" mb="0" cb="0"/><line nr="65" mi="12" ci="0" mb="0" cb="0"/><line nr="68" mi="4" ci="0" mb="0" cb="0"/><line nr="69" mi="3" ci="0" mb="0" cb="0"/><line nr="70" mi="1" ci="0" mb="0" cb="0"/><line nr="72" mi="4" ci="0" mb="0" cb="0"/><line nr="73" mi="2" ci="0" mb="0" cb="0"/><line nr="77" mi="6" ci="0" mb="0" cb="0"/><line nr="78" mi="7" ci="0" mb="0" cb="0"/><line nr="79" mi="1" ci="0" mb="0" cb="0"/><line nr="83" mi="4" ci="0" mb="0" cb="0"/><line nr="84" mi="4" ci="0" mb="0" cb="0"/><line nr="85" mi="5" ci="0" mb="0" cb="0"/><line nr="86" mi="4" ci="0" mb="0" cb="0"/><line nr="87" mi="1" ci="0" mb="0" cb="0"/><line nr="88" mi="2" ci="0" mb="0" cb="0"/><line nr="89" mi="5" ci="0" mb="0" cb="0"/><line nr="90" mi="1" ci="0" mb="0" cb="0"/><line nr="91" mi="1" ci="0" mb="0" cb="0"/><line nr="94" mi="3" ci="0" mb="0" cb="0"/><line nr="95" mi="2" ci="0" mb="0" cb="0"/><line nr="96" mi="1" ci="0" mb="0" cb="0"/><counter type="INSTRUCTION" missed="239" covered="0"/><counter type="BRANCH" missed="2" covered="0"/><counter type="LINE" missed="56" covered="0"/><counter type="COMPLEXITY" missed="11" covered="0"/><counter type="METHOD" missed="10" covered="0"/><counter type="CLASS" missed="3" covered="0"/></sourcefile><sourcefile name="BuchHauptprogrammView.java"><line nr="18" mi="3" ci="0" mb="0" cb="0"/><line nr="19" mi="3" ci="0" mb="0" cb="0"/><line nr="20" mi="4" ci="0" mb="0" cb="0"/><line nr="21" mi="4" ci="0" mb="0" cb="0"/><line nr="22" mi="5" ci="0" mb="0" cb="0"/><line nr="23" mi="3" ci="0" mb="0" cb="0"/><line nr="24" mi="1" ci="0" mb="0" cb="0"/><line nr="27" mi="9" ci="0" mb="0" cb="0"/><line nr="28" mi="5" ci="0" mb="0" cb="0"/><line nr="29" mi="12" ci="0" mb="0" cb="0"/><line nr="31" mi="4" ci="0" mb="0" cb="0"/><line nr="32" mi="1" ci="0" mb="0" cb="0"/><line nr="34" mi="5" ci="0" mb="0" cb="0"/><line nr="35" mi="12" ci="0" mb="0" cb="0"/><line nr="37" mi="4" ci="0" mb="0" cb="0"/><line nr="38" mi="1" ci="0" mb="0" cb="0"/><line nr="41" mi="5" ci="0" mb="0" cb="0"/><line nr="42" mi="12" ci="0" mb="0" cb="0"/><line nr="44" mi="4" ci="0" mb="0" cb="0"/><line nr="45" mi="1" ci="0" mb="0" cb="0"/><line nr="47" mi="5" ci="0" mb="0" cb="0"/><line nr="48" mi="12" ci="0" mb="0" cb="0"/><line nr="50" mi="4" ci="0" mb="0" cb="0"/><line nr="51" mi="1" ci="0" mb="0" cb="0"/><line nr="54" mi="5" ci="0" mb="0" cb="0"/><line nr="55" mi="12" ci="0" mb="0" cb="0"/><line nr="57" mi="4" ci="0" mb="0" cb="0"/><line nr="58" mi="1" ci="0" mb="0" cb="0"/><line nr="60" mi="4" ci="0" mb="0" cb="0"/><line nr="61" mi="4" ci="0" mb="0" cb="0"/><line nr="62" mi="4" ci="0" mb="0" cb="0"/><line nr="63" mi="4" ci="0" mb="0" cb="0"/><line nr="64" mi="4" ci="0" mb="0" cb="0"/><line nr="65" mi="2" ci="0" mb="0" cb="0"/><line nr="69" mi="11" ci="0" mb="0" cb="0"/><line nr="71" mi="5" ci="0" mb="0" cb="0"/><line nr="72" mi="2" ci="0" mb="0" cb="0"/><line nr="74" mi="1" ci="0" mb="0" cb="0"/><counter type="INSTRUCTION" missed="183" covered="0"/><counter type="LINE" missed="38" covered="0"/><counter type="COMPLEXITY" missed="13" covered="0"/><counter type="METHOD" missed="13" covered="0"/><counter type="CLASS" missed="6" covered="0"/></sourcefile><sourcefile name="BuchListeView.java"><line nr="21" mi="5" ci="0" mb="0" cb="0"/><line nr="22" mi="3" ci="0" mb="0" cb="0"/><line nr="23" mi="3" ci="0" mb="0" cb="0"/><line nr="24" mi="3" ci="0" mb="0" cb="0"/><line nr="25" mi="5" ci="0" mb="0" cb="0"/><line nr="26" mi="4" ci="0" mb="0" cb="0"/><line nr="27" mi="4" ci="0" mb="0" cb="0"/><line nr="28" mi="3" ci="0" mb="0" cb="0"/><line nr="29" mi="1" ci="0" mb="0" cb="0"/><line nr="32" mi="4" ci="0" mb="0" cb="0"/><line nr="33" mi="5" ci="0" mb="0" cb="0"/><line nr="34" mi="4" ci="0" mb="0" cb="0"/><line nr="36" mi="5" ci="0" mb="0" cb="0"/><line nr="37" mi="12" ci="0" mb="0" cb="0"/><line nr="39" mi="5" ci="0" mb="2" cb="0"/><line nr="40" mi="3" ci="0" mb="0" cb="0"/><line nr="41" mi="7" ci="0" mb="0" cb="0"/><line nr="43" mi="1" ci="0" mb="0" cb="0"/><line nr="46" mi="5" ci="0" mb="0" cb="0"/><line nr="47" mi="12" ci="0" mb="0" cb="0"/><line nr="49" mi="3" ci="0" mb="0" cb="0"/><line nr="50" mi="1" ci="0" mb="0" cb="0"/><line nr="53" mi="4" ci="0" mb="0" cb="0"/><line nr="54" mi="4" ci="0" mb="0" cb="0"/><line nr="55" mi="7" ci="0" mb="0" cb="0"/><line nr="56" mi="13" ci="0" mb="0" cb="0"/><line nr="58" mi="3" ci="0" mb="0" cb="0"/><line nr="59" mi="3" ci="0" mb="2" cb="0"/><line nr="60" mi="7" ci="0" mb="0" cb="0"/><line nr="61" mi="3" ci="0" mb="0" cb="0"/><line nr="62" mi="7" ci="0" mb="0" cb="0"/><line nr="65" mi="1" ci="0" mb="0" cb="0"/><line nr="67" mi="13" ci="0" mb="0" cb="0"/><line nr="69" mi="7" ci="0" mb="0" cb="0"/><line nr="70" mi="1" ci="0" mb="0" cb="0"/><line nr="73" mi="3" ci="0" mb="2" cb="0"/><line nr="74" mi="11" ci="0" mb="2" cb="0"/><line nr="75" mi="8" ci="0" mb="0" cb="0"/><line nr="76" mi="1" ci="0" mb="0" cb="0"/><line nr="78" mi="5" ci="0" mb="0" cb="0"/><line nr="79" mi="4" ci="0" mb="0" cb="0"/><line nr="80" mi="2" ci="0" mb="0" cb="0"/><line nr="84" mi="3" ci="0" mb="0" cb="0"/><line nr="85" mi="2" ci="0" mb="0" cb="0"/><line nr="86" mi="1" ci="0" mb="0" cb="0"/><counter type="INSTRUCTION" missed="211" covered="0"/><counter type="BRANCH" missed="8" covered="0"/><counter type="LINE" missed="45" covered="0"/><counter type="COMPLEXITY" missed="15" covered="0"/><counter type="METHOD" missed="11" covered="0"/><counter type="CLASS" missed="5" covered="0"/></sourcefile><sourcefile name="Controller.java"><line nr="12" mi="2" ci="0" mb="0" cb="0"/><line nr="13" mi="3" ci="0" mb="0" cb="0"/><line nr="14" mi="1" ci="0" mb="0" cb="0"/><line nr="17" mi="6" ci="0" mb="0" cb="0"/><line nr="18" mi="1" ci="0" mb="0" cb="0"/><line nr="20" mi="6" ci="0" mb="0" cb="0"/><line nr="22" mi="10" ci="0" mb="0" cb="0"/><line nr="23" mi="1" ci="0" mb="0" cb="0"/><line nr="28" mi="7" ci="0" mb="0" cb="0"/><line nr="31" mi="5" ci="0" mb="0" cb="0"/><line nr="32" mi="1" ci="0" mb="0" cb="0"/><line nr="35" mi="7" ci="0" mb="0" cb="0"/><line nr="39" mi="1" ci="0" mb="0" cb="0"/><line nr="43" mi="6" ci="0" mb="0" cb="0"/><line nr="44" mi="6" ci="0" mb="0" cb="0"/><line nr="45" mi="1" ci="0" mb="0" cb="0"/><line nr="48" mi="6" ci="0" mb="0" cb="0"/><line nr="49" mi="7" ci="0" mb="0" cb="0"/><line nr="50" mi="1" ci="0" mb="0" cb="0"/><line nr="53" mi="4" ci="0" mb="0" cb="0"/><line nr="54" mi="1" ci="0" mb="0" cb="0"/><line nr="57" mi="7" ci="0" mb="0" cb="0"/><line nr="58" mi="4" ci="0" mb="0" cb="0"/><line nr="59" mi="1" ci="0" mb="0" cb="0"/><line nr="63" mi="3" ci="0" mb="0" cb="0"/><line nr="64" mi="7" ci="0" mb="0" cb="0"/><line nr="65" mi="1" ci="0" mb="0" cb="0"/><line nr="66" mi="7" ci="0" mb="0" cb="0"/><line nr="67" mi="1" ci="0" mb="0" cb="0"/><line nr="68" mi="1" ci="0" mb="0" cb="0"/><line nr="71" mi="6" ci="0" mb="0" cb="0"/><line nr="72" mi="10" ci="0" mb="0" cb="0"/><line nr="73" mi="1" ci="0" mb="0" cb="0"/><line nr="78" mi="3" ci="0" mb="0" cb="0"/><line nr="79" mi="7" ci="0" mb="0" cb="0"/><line nr="80" mi="1" ci="0" mb="0" cb="0"/><line nr="81" mi="7" ci="0" mb="0" cb="0"/><line nr="82" mi="1" ci="0" mb="0" cb="0"/><line nr="83" mi="1" ci="0" mb="0" cb="0"/><line nr="86" mi="4" ci="0" mb="0" cb="0"/><line nr="87" mi="3" ci="0" mb="0" cb="0"/><line nr="88" mi="2" ci="0" mb="0" cb="0"/><line nr="89" mi="1" ci="0" mb="0" cb="0"/><counter type="INSTRUCTION" missed="162" covered="0"/><counter type="LINE" missed="43" covered="0"/><counter type="COMPLEXITY" missed="16" covered="0"/><counter type="METHOD" missed="16" covered="0"/><counter type="CLASS" missed="4" covered="0"/></sourcefile><sourcefile name="InfoView.java"><line nr="16" mi="5" ci="0" mb="0" cb="0"/><line nr="17" mi="4" ci="0" mb="0" cb="0"/><line nr="18" mi="4" ci="0" mb="0" cb="0"/><line nr="19" mi="5" ci="0" mb="0" cb="0"/><line nr="20" mi="4" ci="0" mb="0" cb="0"/><line nr="21" mi="4" ci="0" mb="0" cb="0"/><line nr="23" mi="5" ci="0" mb="0" cb="0"/><line nr="24" mi="12" ci="0" mb="0" cb="0"/><line nr="27" mi="4" ci="0" mb="0" cb="0"/><line nr="28" mi="3" ci="0" mb="0" cb="0"/><line nr="29" mi="1" ci="0" mb="0" cb="0"/><line nr="31" mi="4" ci="0" mb="0" cb="0"/><line nr="32" mi="4" ci="0" mb="0" cb="0"/><line nr="34" mi="4" ci="0" mb="0" cb="0"/><line nr="35" mi="4" ci="0" mb="0" cb="0"/><line nr="36" mi="3" ci="0" mb="0" cb="0"/><line nr="37" mi="1" ci="0" mb="0" cb="0"/><counter type="INSTRUCTION" missed="71" covered="0"/><counter type="LINE" missed="17" covered="0"/><counter type="COMPLEXITY" missed="3" covered="0"/><counter type="METHOD" missed="3" covered="0"/><counter type="CLASS" missed="2" covered="0"/></sourcefile><counter type="INSTRUCTION" missed="866" covered="0"/><counter type="BRANCH" missed="10" covered="0"/><counter type="LINE" missed="199" covered="0"/><counter type="COMPLEXITY" missed="58" covered="0"/><counter type="METHOD" missed="53" covered="0"/><counter type="CLASS" missed="20" covered="0"/></package><package name="com/buch/fachlogik"><class name="com/buch/fachlogik/Buch" sourcefilename="Buch.java"><method name="&lt;init&gt;" desc="()V" line="14"><counter type="INSTRUCTION" missed="10" covered="0"/><counter type="LINE" missed="3" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="&lt;init&gt;" desc="(Ljava/lang/String;F)V" line="19"><counter type="INSTRUCTION" missed="9" covered="0"/><counter type="LINE" missed="4" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="&lt;init&gt;" desc="(JLjava/lang/String;F)V" line="24"><counter type="INSTRUCTION" missed="22" covered="0"/><counter type="BRANCH" missed="2" covered="0"/><counter type="LINE" missed="7" covered="0"/><counter type="COMPLEXITY" missed="2" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="getID" desc="()J" line="35"><counter type="INSTRUCTION" missed="3" covered="0"/><counter type="LINE" missed="1" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="getTitel" desc="()Ljava/lang/String;" line="39"><counter type="INSTRUCTION" missed="3" covered="0"/><counter type="LINE" missed="1" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="setTitel" desc="(Ljava/lang/String;)V" line="43"><counter type="INSTRUCTION" missed="4" covered="0"/><counter type="LINE" missed="2" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="getPreis" desc="()F" line="47"><counter type="INSTRUCTION" missed="3" covered="0"/><counter type="LINE" missed="1" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="setPreis" desc="(F)V" line="51"><counter type="INSTRUCTION" missed="4" covered="0"/><counter type="LINE" missed="2" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="58" covered="0"/><counter type="BRANCH" missed="2" covered="0"/><counter type="LINE" missed="21" covered="0"/><counter type="COMPLEXITY" missed="9" covered="0"/><counter type="METHOD" missed="8" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><class name="com/buch/fachlogik/BuecherVerwaltung" sourcefilename="BuecherVerwaltung.java"><method name="&lt;init&gt;" desc="(Lcom/buch/datenhaltung/IBuchDAO;)V" line="13"><counter type="INSTRUCTION" missed="11" covered="0"/><counter type="LINE" missed="4" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="add" desc="(Lcom/buch/fachlogik/Buch;)V" line="19"><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="2" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="getBuch" desc="(I)Lcom/buch/fachlogik/Buch;" line="23"><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="1" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="getBuchliste" desc="()Ljava/util/List;" line="27"><counter type="INSTRUCTION" missed="3" covered="0"/><counter type="LINE" missed="1" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="laden" desc="()V" line="31"><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="2" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><method name="speichern" desc="()V" line="35"><counter type="INSTRUCTION" missed="6" covered="0"/><counter type="LINE" missed="2" covered="0"/><counter type="COMPLEXITY" missed="1" covered="0"/><counter type="METHOD" missed="1" covered="0"/></method><counter type="INSTRUCTION" missed="38" covered="0"/><counter type="LINE" missed="12" covered="0"/><counter type="COMPLEXITY" missed="6" covered="0"/><counter type="METHOD" missed="6" covered="0"/><counter type="CLASS" missed="1" covered="0"/></class><sourcefile name="BuecherVerwaltung.java"><line nr="13" mi="2" ci="0" mb="0" cb="0"/><line nr="14" mi="5" ci="0" mb="0" cb="0"/><line nr="15" mi="3" ci="0" mb="0" cb="0"/><line nr="16" mi="1" ci="0" mb="0" cb="0"/><line nr="19" mi="5" ci="0" mb="0" cb="0"/><line nr="20" mi="1" ci="0" mb="0" cb="0"/><line nr="23" mi="6" ci="0" mb="0" cb="0"/><line nr="27" mi="3" ci="0" mb="0" cb="0"/><line nr="31" mi="5" ci="0" mb="0" cb="0"/><line nr="32" mi="1" ci="0" mb="0" cb="0"/><line nr="35" mi="5" ci="0" mb="0" cb="0"/><line nr="36" mi="1" ci="0" mb="0" cb="0"/><counter type="INSTRUCTION" missed="38" covered="0"/><counter type="LINE" missed="12" covered="0"/><counter type="COMPLEXITY" missed="6" covered="0"/><counter type="METHOD" missed="6" covered="0"/><counter type="CLASS" missed="1" covered="0"/></sourcefile><sourcefile name="Buch.java"><line nr="14" mi="2" ci="0" mb="0" cb="0"/><line nr="15" mi="7" ci="0" mb="0" cb="0"/><line nr="16" mi="1" ci="0" mb="0" cb="0"/><line nr="19" mi="2" ci="0" mb="0" cb="0"/><line nr="20" mi="3" ci="0" mb="0" cb="0"/><line nr="21" mi="3" ci="0" mb="0" cb="0"/><line nr="22" mi="1" ci="0" mb="0" cb="0"/><line nr="24" mi="2" ci="0" mb="0" cb="0"/><line nr="25" mi="3" ci="0" mb="0" cb="0"/><line nr="26" mi="5" ci="0" mb="2" cb="0"/><line nr="27" mi="5" ci="0" mb="0" cb="0"/><line nr="29" mi="3" ci="0" mb="0" cb="0"/><line nr="30" mi="3" ci="0" mb="0" cb="0"/><line nr="31" mi="1" ci="0" mb="0" cb="0"/><line nr="35" mi="3" ci="0" mb="0" cb="0"/><line nr="39" mi="3" ci="0" mb="0" cb="0"/><line nr="43" mi="3" ci="0" mb="0" cb="0"/><line nr="44" mi="1" ci="0" mb="0" cb="0"/><line nr="47" mi="3" ci="0" mb="0" cb="0"/><line nr="51" mi="3" ci="0" mb="0" cb="0"/><line nr="52" mi="1" ci="0" mb="0" cb="0"/><counter type="INSTRUCTION" missed="58" covered="0"/><counter type="BRANCH" missed="2" covered="0"/><counter type="LINE" missed="21" covered="0"/><counter type="COMPLEXITY" missed="9" covered="0"/><counter type="METHOD" missed="8" covered="0"/><counter type="CLASS" missed="1" covered="0"/></sourcefile><counter type="INSTRUCTION" missed="96" covered="0"/><counter type="BRANCH" missed="2" covered="0"/><counter type="LINE" missed="33" covered="0"/><counter type="COMPLEXITY" missed="15" covered="0"/><counter type="METHOD" missed="14" covered="0"/><counter type="CLASS" missed="2" covered="0"/></package><counter type="INSTRUCTION" missed="1176" covered="0"/><counter type="BRANCH" missed="18" covered="0"/><counter type="LINE" missed="311" covered="0"/><counter type="COMPLEXITY" missed="86" covered="0"/><counter type="METHOD" missed="77" covered="0"/><counter type="CLASS" missed="26" covered="0"/></report>
    \ No newline at end of file
    diff --git a/WS24_25/SWTD/buch/target/surefire-reports/HelloTest.txt b/WS24_25/SWTD/buch/target/surefire-reports/HelloTest.txt
    new file mode 100644
    index 0000000..045a85d
    --- /dev/null
    +++ b/WS24_25/SWTD/buch/target/surefire-reports/HelloTest.txt
    @@ -0,0 +1,4 @@
    +-------------------------------------------------------------------------------
    +Test set: HelloTest
    +-------------------------------------------------------------------------------
    +Tests run: 1, Failures: 0, Errors: 0, Skipped: 0, Time elapsed: 0.04 s - in HelloTest
    diff --git a/WS24_25/SWTD/buch/target/surefire-reports/TEST-HelloTest.xml b/WS24_25/SWTD/buch/target/surefire-reports/TEST-HelloTest.xml
    new file mode 100644
    index 0000000..2bb6a97
    --- /dev/null
    +++ b/WS24_25/SWTD/buch/target/surefire-reports/TEST-HelloTest.xml
    @@ -0,0 +1,56 @@
    +<?xml version="1.0" encoding="UTF-8"?>
    +<testsuite xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:noNamespaceSchemaLocation="https://maven.apache.org/surefire/maven-surefire-plugin/xsd/surefire-test-report-3.0.xsd" version="3.0" name="HelloTest" time="0.04" tests="1" errors="0" skipped="0" failures="0">
    +  <properties>
    +    <property name="java.specification.version" value="17"/>
    +    <property name="sun.jnu.encoding" value="UTF-8"/>
    +    <property name="java.class.path" value="/home/jordi/FH/WS24_25/SWTD/buch/target/test-classes:/home/jordi/FH/WS24_25/SWTD/buch/target/classes:/home/jordi/.m2/repository/org/apache/maven/plugins/maven-compiler-plugin/3.8.1/maven-compiler-plugin-3.8.1.jar:/home/jordi/.m2/repository/org/apache/maven/maven-plugin-api/3.0/maven-plugin-api-3.0.jar:/home/jordi/.m2/repository/org/apache/maven/maven-model/3.0/maven-model-3.0.jar:/home/jordi/.m2/repository/org/sonatype/sisu/sisu-inject-plexus/1.4.2/sisu-inject-plexus-1.4.2.jar:/home/jordi/.m2/repository/org/sonatype/sisu/sisu-inject-bean/1.4.2/sisu-inject-bean-1.4.2.jar:/home/jordi/.m2/repository/org/sonatype/sisu/sisu-guice/2.1.7/sisu-guice-2.1.7-noaop.jar:/home/jordi/.m2/repository/org/apache/maven/maven-artifact/3.0/maven-artifact-3.0.jar:/home/jordi/.m2/repository/org/codehaus/plexus/plexus-utils/2.0.4/plexus-utils-2.0.4.jar:/home/jordi/.m2/repository/org/apache/maven/maven-core/3.0/maven-core-3.0.jar:/home/jordi/.m2/repository/org/apache/maven/maven-settings/3.0/maven-settings-3.0.jar:/home/jordi/.m2/repository/org/apache/maven/maven-settings-builder/3.0/maven-settings-builder-3.0.jar:/home/jordi/.m2/repository/org/apache/maven/maven-repository-metadata/3.0/maven-repository-metadata-3.0.jar:/home/jordi/.m2/repository/org/apache/maven/maven-model-builder/3.0/maven-model-builder-3.0.jar:/home/jordi/.m2/repository/org/apache/maven/maven-aether-provider/3.0/maven-aether-provider-3.0.jar:/home/jordi/.m2/repository/org/sonatype/aether/aether-impl/1.7/aether-impl-1.7.jar:/home/jordi/.m2/repository/org/sonatype/aether/aether-spi/1.7/aether-spi-1.7.jar:/home/jordi/.m2/repository/org/sonatype/aether/aether-api/1.7/aether-api-1.7.jar:/home/jordi/.m2/repository/org/sonatype/aether/aether-util/1.7/aether-util-1.7.jar:/home/jordi/.m2/repository/org/codehaus/plexus/plexus-interpolation/1.14/plexus-interpolation-1.14.jar:/home/jordi/.m2/repository/org/codehaus/plexus/plexus-classworlds/2.2.3/plexus-classworlds-2.2.3.jar:/home/jordi/.m2/repository/org/codehaus/plexus/plexus-component-annotations/1.5.5/plexus-component-annotations-1.5.5.jar:/home/jordi/.m2/repository/org/sonatype/plexus/plexus-sec-dispatcher/1.3/plexus-sec-dispatcher-1.3.jar:/home/jordi/.m2/repository/org/sonatype/plexus/plexus-cipher/1.4/plexus-cipher-1.4.jar:/home/jordi/.m2/repository/org/apache/maven/shared/maven-shared-utils/3.2.1/maven-shared-utils-3.2.1.jar:/home/jordi/.m2/repository/commons-io/commons-io/2.5/commons-io-2.5.jar:/home/jordi/.m2/repository/org/apache/maven/shared/maven-shared-incremental/1.1/maven-shared-incremental-1.1.jar:/home/jordi/.m2/repository/org/codehaus/plexus/plexus-java/0.9.10/plexus-java-0.9.10.jar:/home/jordi/.m2/repository/org/ow2/asm/asm/6.2/asm-6.2.jar:/home/jordi/.m2/repository/com/thoughtworks/qdox/qdox/2.0-M8/qdox-2.0-M8.jar:/home/jordi/.m2/repository/org/codehaus/plexus/plexus-compiler-api/2.8.4/plexus-compiler-api-2.8.4.jar:/home/jordi/.m2/repository/org/codehaus/plexus/plexus-compiler-manager/2.8.4/plexus-compiler-manager-2.8.4.jar:/home/jordi/.m2/repository/org/codehaus/plexus/plexus-compiler-javac/2.8.4/plexus-compiler-javac-2.8.4.jar:/home/jordi/.m2/repository/org/junit/jupiter/junit-jupiter-api/5.8.1/junit-jupiter-api-5.8.1.jar:/home/jordi/.m2/repository/org/opentest4j/opentest4j/1.2.0/opentest4j-1.2.0.jar:/home/jordi/.m2/repository/org/junit/platform/junit-platform-commons/1.8.1/junit-platform-commons-1.8.1.jar:/home/jordi/.m2/repository/org/apiguardian/apiguardian-api/1.1.2/apiguardian-api-1.1.2.jar:/home/jordi/.m2/repository/org/junit/jupiter/junit-jupiter-engine/5.8.1/junit-jupiter-engine-5.8.1.jar:/home/jordi/.m2/repository/org/junit/platform/junit-platform-engine/1.8.1/junit-platform-engine-1.8.1.jar:"/>
    +    <property name="java.vm.vendor" value="Arch Linux"/>
    +    <property name="sun.arch.data.model" value="64"/>
    +    <property name="java.vendor.url" value="https://openjdk.java.net/"/>
    +    <property name="os.name" value="Linux"/>
    +    <property name="java.vm.specification.version" value="17"/>
    +    <property name="sun.java.launcher" value="SUN_STANDARD"/>
    +    <property name="user.country" value="US"/>
    +    <property name="sun.boot.library.path" value="/usr/lib/jvm/java-17-openjdk/lib"/>
    +    <property name="sun.java.command" value="/home/jordi/FH/WS24_25/SWTD/buch/target/surefire/surefirebooter7499435589127736534.jar /home/jordi/FH/WS24_25/SWTD/buch/target/surefire 2025-01-06T23-01-28_934-jvmRun1 surefire11623701150256323205tmp surefire_014012276641559938930tmp"/>
    +    <property name="jdk.debug" value="release"/>
    +    <property name="surefire.test.class.path" value="/home/jordi/FH/WS24_25/SWTD/buch/target/test-classes:/home/jordi/FH/WS24_25/SWTD/buch/target/classes:/home/jordi/.m2/repository/org/apache/maven/plugins/maven-compiler-plugin/3.8.1/maven-compiler-plugin-3.8.1.jar:/home/jordi/.m2/repository/org/apache/maven/maven-plugin-api/3.0/maven-plugin-api-3.0.jar:/home/jordi/.m2/repository/org/apache/maven/maven-model/3.0/maven-model-3.0.jar:/home/jordi/.m2/repository/org/sonatype/sisu/sisu-inject-plexus/1.4.2/sisu-inject-plexus-1.4.2.jar:/home/jordi/.m2/repository/org/sonatype/sisu/sisu-inject-bean/1.4.2/sisu-inject-bean-1.4.2.jar:/home/jordi/.m2/repository/org/sonatype/sisu/sisu-guice/2.1.7/sisu-guice-2.1.7-noaop.jar:/home/jordi/.m2/repository/org/apache/maven/maven-artifact/3.0/maven-artifact-3.0.jar:/home/jordi/.m2/repository/org/codehaus/plexus/plexus-utils/2.0.4/plexus-utils-2.0.4.jar:/home/jordi/.m2/repository/org/apache/maven/maven-core/3.0/maven-core-3.0.jar:/home/jordi/.m2/repository/org/apache/maven/maven-settings/3.0/maven-settings-3.0.jar:/home/jordi/.m2/repository/org/apache/maven/maven-settings-builder/3.0/maven-settings-builder-3.0.jar:/home/jordi/.m2/repository/org/apache/maven/maven-repository-metadata/3.0/maven-repository-metadata-3.0.jar:/home/jordi/.m2/repository/org/apache/maven/maven-model-builder/3.0/maven-model-builder-3.0.jar:/home/jordi/.m2/repository/org/apache/maven/maven-aether-provider/3.0/maven-aether-provider-3.0.jar:/home/jordi/.m2/repository/org/sonatype/aether/aether-impl/1.7/aether-impl-1.7.jar:/home/jordi/.m2/repository/org/sonatype/aether/aether-spi/1.7/aether-spi-1.7.jar:/home/jordi/.m2/repository/org/sonatype/aether/aether-api/1.7/aether-api-1.7.jar:/home/jordi/.m2/repository/org/sonatype/aether/aether-util/1.7/aether-util-1.7.jar:/home/jordi/.m2/repository/org/codehaus/plexus/plexus-interpolation/1.14/plexus-interpolation-1.14.jar:/home/jordi/.m2/repository/org/codehaus/plexus/plexus-classworlds/2.2.3/plexus-classworlds-2.2.3.jar:/home/jordi/.m2/repository/org/codehaus/plexus/plexus-component-annotations/1.5.5/plexus-component-annotations-1.5.5.jar:/home/jordi/.m2/repository/org/sonatype/plexus/plexus-sec-dispatcher/1.3/plexus-sec-dispatcher-1.3.jar:/home/jordi/.m2/repository/org/sonatype/plexus/plexus-cipher/1.4/plexus-cipher-1.4.jar:/home/jordi/.m2/repository/org/apache/maven/shared/maven-shared-utils/3.2.1/maven-shared-utils-3.2.1.jar:/home/jordi/.m2/repository/commons-io/commons-io/2.5/commons-io-2.5.jar:/home/jordi/.m2/repository/org/apache/maven/shared/maven-shared-incremental/1.1/maven-shared-incremental-1.1.jar:/home/jordi/.m2/repository/org/codehaus/plexus/plexus-java/0.9.10/plexus-java-0.9.10.jar:/home/jordi/.m2/repository/org/ow2/asm/asm/6.2/asm-6.2.jar:/home/jordi/.m2/repository/com/thoughtworks/qdox/qdox/2.0-M8/qdox-2.0-M8.jar:/home/jordi/.m2/repository/org/codehaus/plexus/plexus-compiler-api/2.8.4/plexus-compiler-api-2.8.4.jar:/home/jordi/.m2/repository/org/codehaus/plexus/plexus-compiler-manager/2.8.4/plexus-compiler-manager-2.8.4.jar:/home/jordi/.m2/repository/org/codehaus/plexus/plexus-compiler-javac/2.8.4/plexus-compiler-javac-2.8.4.jar:/home/jordi/.m2/repository/org/junit/jupiter/junit-jupiter-api/5.8.1/junit-jupiter-api-5.8.1.jar:/home/jordi/.m2/repository/org/opentest4j/opentest4j/1.2.0/opentest4j-1.2.0.jar:/home/jordi/.m2/repository/org/junit/platform/junit-platform-commons/1.8.1/junit-platform-commons-1.8.1.jar:/home/jordi/.m2/repository/org/apiguardian/apiguardian-api/1.1.2/apiguardian-api-1.1.2.jar:/home/jordi/.m2/repository/org/junit/jupiter/junit-jupiter-engine/5.8.1/junit-jupiter-engine-5.8.1.jar:/home/jordi/.m2/repository/org/junit/platform/junit-platform-engine/1.8.1/junit-platform-engine-1.8.1.jar:"/>
    +    <property name="sun.cpu.endian" value="little"/>
    +    <property name="user.home" value="/home/jordi"/>
    +    <property name="user.language" value="en"/>
    +    <property name="java.specification.vendor" value="Oracle Corporation"/>
    +    <property name="java.version.date" value="2024-10-15"/>
    +    <property name="java.home" value="/usr/lib/jvm/java-17-openjdk"/>
    +    <property name="file.separator" value="/"/>
    +    <property name="basedir" value="/home/jordi/FH/WS24_25/SWTD/buch"/>
    +    <property name="java.vm.compressedOopsMode" value="Zero based"/>
    +    <property name="line.separator" value="&#10;"/>
    +    <property name="java.specification.name" value="Java Platform API Specification"/>
    +    <property name="java.vm.specification.vendor" value="Oracle Corporation"/>
    +    <property name="surefire.real.class.path" value="/home/jordi/FH/WS24_25/SWTD/buch/target/surefire/surefirebooter7499435589127736534.jar"/>
    +    <property name="sun.management.compiler" value="HotSpot 64-Bit Tiered Compilers"/>
    +    <property name="java.runtime.version" value="17.0.13+11"/>
    +    <property name="user.name" value="jordi"/>
    +    <property name="path.separator" value=":"/>
    +    <property name="os.version" value="6.12.7-arch1-1"/>
    +    <property name="java.runtime.name" value="OpenJDK Runtime Environment"/>
    +    <property name="file.encoding" value="UTF-8"/>
    +    <property name="java.vm.name" value="OpenJDK 64-Bit Server VM"/>
    +    <property name="localRepository" value="/home/jordi/.m2/repository"/>
    +    <property name="java.vendor.url.bug" value="https://bugreport.java.com/bugreport/"/>
    +    <property name="java.io.tmpdir" value="/tmp"/>
    +    <property name="java.version" value="17.0.13"/>
    +    <property name="user.dir" value="/home/jordi/FH/WS24_25/SWTD/buch"/>
    +    <property name="os.arch" value="amd64"/>
    +    <property name="java.vm.specification.name" value="Java Virtual Machine Specification"/>
    +    <property name="native.encoding" value="UTF-8"/>
    +    <property name="java.library.path" value="/usr/java/packages/lib:/usr/lib64:/lib64:/lib:/usr/lib"/>
    +    <property name="java.vm.info" value="mixed mode, sharing"/>
    +    <property name="java.vendor" value="Arch Linux"/>
    +    <property name="java.vm.version" value="17.0.13+11"/>
    +    <property name="java.specification.maintenance.version" value="1"/>
    +    <property name="sun.io.unicode.encoding" value="UnicodeLittle"/>
    +    <property name="java.class.version" value="61.0"/>
    +  </properties>
    +  <testcase name="testHelloWorld" classname="HelloTest" time="0.028"/>
    +</testsuite>
    \ No newline at end of file
    diff --git a/WS24_25/SWTD/buch/target/test-classes/HelloTest.class b/WS24_25/SWTD/buch/target/test-classes/HelloTest.class
    new file mode 100644
    index 0000000..98660d6
    Binary files /dev/null and b/WS24_25/SWTD/buch/target/test-classes/HelloTest.class differ